시퀄라이즈를 이용해서 쿼리를 날리는 방법과 controller와 routes, services로 나눠 처리 되는 방법입니다~~
먼저 폴더링입니다.
폴더링 구조
|- functions
|
|- api
|- routes
|- config
|- models
|- controllers
|- constants
|- services
|- db
|- loaders
|- lib
비즈니스 로직은 컨트롤러에서, DB 로직은 서비스에서 구현했습니다. 후에 라우터로 분기시켜주었습니다.
먼저 post 테이블에 있는 모든 포스트를 조회하는 API 입니다.
// services/postService.js
const AllPosts = async () => {
const posts = await db.post.findAll({
// attributes: ['post.id','post.title', 'user.nickname'],
where: {
deletedAt: null
},
order: [
['created_at', 'DESC']
],
});
return posts;
}
예제로 post 테이블에 있는 모든 게시물을 조회하는 Sequelize 로직입니다. 위와 같이 raw query를 구성해봅시다.
select * from post where deleted_at = null order by created_at DESC;
그러면 sequelize에서는 select, insert, update, delete는 어떻게 사용할까?\
(attributes는 테이블에서 찾고싶은 컬럼만 걸러주는 역할을 합니다.)
findAll: 데이터베이스에서 전체 테이블을 읽음
findOne: 데이터베이스에서 찾은 데이터들 중 첫번째 항목을 읽음
findByPk: 데이터베이스에서 findByPk에서 제공된 키를사용하여 읽음
findOrCreate: 쿼리 옵션에 충족되지 않는 항목을 생성.
findAndCountAll: 페이징 작업에 유리합니다. count와 rows를 반환.
destroy: 인스턴스를 삭제함.
update: 옵션이나 바뀐 항목을 업데이트함.
그러면 service를 만들어 export시켰으니 controller에서 사용하면 되겠죠?
// controller/postController.js
const retrievePopularPosts = async (req, res) => {
try {
return res.status(statusCode.OK)
.json(util.success(await postService.AllPosts()));
} catch (e) {
console.log(e);
return res.status(statusCode.BAD_REQUEST)
.json(util.fail(statusCode.BAD_REQUEST, responseMessage.VALIDATION_EXCEPTION));
}
}
성공하면 데이터를 조회한 json을 넘겨주고, 실패하면 error를 보여줍니다. postman으로 돌려보면 성공적으로 json이 반환되는 것을 볼 수 있습니다~~
또한 시퀄라이즈에서는 where의 AND, OR 같은 논리 연산자, join을 담당하는 include등 다양한 쿼리문들이 있습니다. 먼저 where절부터 가보죠~
Post.findAll({
where: {
[Op.and]: [{ a: 5 }, { b: 6 }], // (a = 5) AND (b = 6)
[Op.or]: [{ a: 5 }, { b: 6 }], // (a = 5) OR (b = 6)
someAttribute: {
// Basics
[Op.eq]: 3, // = 3
[Op.ne]: 20, // != 20
[Op.is]: null, // IS NULL
[Op.not]: true, // IS NOT TRUE
[Op.or]: [5, 6], // (someAttribute = 5) OR (someAttribute = 6)
// Using dialect specific column identifiers (PG in the following example):
[Op.col]: 'user.organization_id', // = "user"."organization_id"
// Number comparisons
[Op.gt]: 6, // > 6
[Op.gte]: 6, // >= 6
[Op.lt]: 10, // < 10
[Op.lte]: 10, // <= 10
[Op.between]: [6, 10], // BETWEEN 6 AND 10
[Op.notBetween]: [11, 15], // NOT BETWEEN 11 AND 15
// Other operators
[Op.all]: sequelize.literal('SELECT 1'), // > ALL (SELECT 1)
[Op.in]: [1, 2], // IN [1, 2]
[Op.notIn]: [1, 2], // NOT IN [1, 2]
[Op.like]: '%hat', // LIKE '%hat'
[Op.notLike]: '%hat', // NOT LIKE '%hat'
[Op.startsWith]: 'hat', // LIKE 'hat%'
[Op.endsWith]: 'hat', // LIKE '%hat'
[Op.substring]: 'hat', // LIKE '%hat%'
[Op.iLike]: '%hat', // ILIKE '%hat' (case insensitive) (PG only)
[Op.notILike]: '%hat', // NOT ILIKE '%hat' (PG only)
[Op.regexp]: '^[h|a|t]', // REGEXP/~ '^[h|a|t]' (MySQL/PG only)
[Op.notRegexp]: '^[h|a|t]', // NOT REGEXP/!~ '^[h|a|t]' (MySQL/PG only)
[Op.iRegexp]: '^[h|a|t]', // ~* '^[h|a|t]' (PG only)
[Op.notIRegexp]: '^[h|a|t]', // !~* '^[h|a|t]' (PG only)
[Op.any]: [2, 3], // ANY ARRAY[2, 3]::INTEGER (PG only)
[Op.match]: Sequelize.fn('to_tsquery', 'fat & rat') // match text search for strings 'fat' and 'rat' (PG only)
// In Postgres, Op.like/Op.iLike/Op.notLike can be combined to Op.any:
[Op.like]: { [Op.any]: ['cat', 'hat'] } // LIKE ANY ARRAY['cat', 'hat']
// There are more postgres-only range operators, see below
}
}
});
공식문서에 있는 예제 입니다. 정말 많은 where 논리 연산자가 있습니다. 이것을 사용하려면 sequelize에서 제공하는 Op를 사용합니다. 주로 and, or, in, is, not을 많이 사용합니다!
이제 include를 알아봅시다.
const users = await User.findAll({
include: { model: Tool, as: 'Instruments' }
});
user 테이블과 Tool 테이블을 join 쳐서 가져오는 것입니다. 여기서 where을 걸어 id로 찾을 수도 있고, order를 통해서 정렬을 할 수도 있습니다. as를 통해 별칭을 줄 수 있습니다. 별칭을 주려면 먼저 models/index.js에 외래키를 설정할 때 같이 설정해줘야 합니다.
그럼 서로 다른 두 테이블을 join 하려면?
db.order.findAll({
where: {
user_id: userId,
},
include: [
{
model: db.post,
},
{
model: db.user,
},
],
});
위 처럼 배열을 구성하는 것과 같이 include 해주시면 됩니다. join을 두번 친 효과죠? ㅎㅎ
추가로 offset, limit은 페이징을 하거나, 최대 개수를 제한하는 효과를 가진 쿼리문입니다.
ex)
offset: page * pageSize,
limit: pageSize
페이징 모듈을 구현해 위처럼 설정해주면 편하게 페이지를 제공할 수 있습니다.