node.js - sequelize

heitz·2022년 4월 17일
0

Node.js

목록 보기
2/2

sequelize

💡 개요

sequelize는 노드에서 mysql 작업을 쉽게 할 수 있도록 도와주는 라이브러리이다. 이것을 사용하는 이유는 자바스크립트 구문을 알아서 sql 문으로 바꿔주기 때문이다.

sequelize를 설치하고 실행하면 config, models 등의 폴더가 생성된다.

config 폴더에는 mysql과 연동하기위한 정보를 갖고 있는 config.json 파일이 생성된다. 이 파일안에 database 이름, username, password 등의 속성을 작성하면 mysql과 연동할 때 사용된다.

models 폴더에는 가장 먼저 index.js 파일이 생성된다. (추후에 설명)
사용하고자하는 database table에 대한 정보를 이 models 폴더 안에 작성해야 한다. mysql의 테이블은 sequelize의 모델과 대응된다. (models 폴더 안에 모델을 작성한다)

💡 models 폴더 - index.js와 모델파일

index.js

const Sequelize = require("sequelize");

**🔥 mysql db 연결에 필요한 정보들을 config.json 파일에서 불러온다**
const config = require("../config/config.json").development;

**🔥 models 폴더에 정의한 모델(테이블)을 불러온다**
const Info = require("./info");

**🔥 mysql sequelize 연결객체를 생성한다**
const **sequelize** = new Sequelize(config.database, config.username, config.password, config);

**🔥 db객체에 sequelize 연결객체와 모델을 등록한다**
const db = {};
db.sequelize = **sequelize**;
db.Info = Info;

**🔥 Info 모델에 sequelize 연결객체를 전달하여 init 함수를 실행한다**
Info.init(**sequelize**);
**🔥 Info 모델에 db객체를 전달하여 associate 함수를 실행한다**
Info.associate(db);

module.exports = db;

info.js

const Sequelize = require("sequelize");

module.exports = class Info extends Sequelize.Model {
		**🔥 1. init 함수 -> 테이블에 대한 설정을 한다**
    static init(**sequelize**) {
        return super.init(
						**🔥 1번째 인수: 테이블의 컬럼에 대한 설정**
            {
                tokenID: {
                    type: Sequelize.INTEGER,
                    allowNull: false,
                    primaryKey: true,
                    autoIncrement: true,
                },
                name: {
                    type: Sequelize.STRING(50),
                    allowNull: false,
                },
                image: {
                    type: Sequelize.STRING(150),
                    allowNull: false,
                },
            },
						**🔥 2번째 인수: 테이블 자체에 대한 설정**
            {
                **sequelize**,
                timestamps: false,
                underscored: false,
                modelName: "NFT_info",
                tableName: "nft_info",
                paranoid: false,
                charset: "utf8",
            }
        );
    }
		**🔥 2. associate 함수 -> 다른 모델(테이블)과의 관계를 작성**
    static associate(db) {
					db.Info.belongsTo(db.User, {foreignKey: 'tokenID', targetKey: 'id'})
		}
};
💡 sequelize를 통해 express 앱과 mysql 연동하기

app.js

const express = require("express");

**🔥 models의 index.js에서 export하는 db에 등록된 seqeulize(연결객체)를 불러온다**
const { **sequelize** } = require("./models");

const app = express();

**🔥 위에서 불러온 sequelize에 sync 메서드를 사용하여 서버 실행시 mysql과 연동되도록 만든다**
**sequelize**.sync({ force: false })
    .then(() => {
        console.log("db connected");
    })
    .catch(err => {
        console.error(err);
    });

app.listen(8000);

여기까지가 express와 mysql을 연결하는 과정이다. 만약 mysql의 db 테이블에서 자원을 가져오는 작업을 하고 싶으면 라우터를 만들고 express 앱에 등록해주는 작업이 필요하다.

라우터 작성

const express = require("express");
const router = express.Router();

**🔥 자원을 가져오고자 하는 모델을 불러온다**
const Info = require("../models/info");

// server에 request가 왔을때 하는 작업들
router.get("/", async (req, res, next) => {
    try {
        const nfts = await Info.findAll();
        console.log("hoooo");
        console.log(nfts);

        //res 작업을 해야 프론트에서 axios로 요청 보냈을때 얻는 response에 서버에서 보내준 정보가 담겨있다(?)
        res.json({ ok: true, data: nfts });
    } catch (err) {
        console.error(err);
        next(err);
    }
});

module.exports = router;

라우터 등록

const express = require("express");
const { sequelize } = require("./models");
const app = express();

sequelize
    .sync({ force: false })
    .then(() => {
        console.log("db connected");
    })
    .catch(err => {
        console.error(err);
    });

**🔥 만든 라우터를 불러온다**
const indexRouter = require("./router");

**🔥 app에 라우터를 등록한다**
app.use("/nft", indexRouter);

app.listen(8000);
profile
For Fun

1개의 댓글

comment-user-thumbnail
2022년 4월 17일

Node.js 교과서 (조현영 저) 참고

답글 달기

관련 채용 정보