web-dev-qa-db-ja.com

Sequelizeで単一のテーブル名を使用する方法

Userというモデルがありますが、SequelizeはDBに保存しようとするたびにテーブルUSERSを探します。誰もがSequelizeを設定して単一のテーブル名を使用する方法を知っていますか?ありがとう。

93
user3152350

docs プロパティfreezeTableNameを使用できることを示しています。

この例を見てください:

var Bar = sequelize.define('Bar', { /* bla */ }, {
  // don't add the timestamp attributes (updatedAt, createdAt)
  timestamps: false,

  // don't delete database entries but set the newly added attribute deletedAt
  // to the current date (when deletion was done). paranoid will only work if
  // timestamps are enabled
  paranoid: true,

  // don't use camelcase for automatically added attributes but underscore style
  // so updatedAt will be updated_at
  underscored: true,

  // disable the modification of tablenames; By default, sequelize will automatically
  // transform all passed model names (first parameter of define) into plural.
  // if you don't want that, set the following
  freezeTableName: true,

  // define the table's name
  tableName: 'my_very_custom_table_name'
})
188

受け入れられた答えは正解ですが、テーブルごとに個別に行うのではなく、すべてのテーブルに対してこれを1回行うことができます。次のように、同様のオプションオブジェクトをSequelizeコンストラクターに渡すだけです。

var Sequelize = require('sequelize');

//database wide options
var opts = {
    define: {
        //prevent sequelize from pluralizing table names
        freezeTableName: true
    }
}

var sequelize = new Sequelize('mysql://root:123abc@localhost:3306/mydatabase', opts)

エンティティを定義するとき、freezeTableName: trueを指定する必要はありません:

var Project = sequelize.define('Project', {
    title: Sequelize.STRING,
    description: Sequelize.TEXT
})
87
d512