如何使Sequelize使用单数表名

时间:2014-01-14 13:15:50

标签: mysql sql node.js sequelize.js

我有一个名为User的模型,但每当我尝试保存在数据库中时,Sequelize会查找表USERS。有谁知道如何设置Sequelize使用奇异的表名?谢谢。

4 个答案:

答案 0 :(得分:180)

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'
})

答案 1 :(得分:82)

虽然接受的答案是正确的,但您可以对所有表格执行此操作,而不必为每个表格单独执行此操作。您只需将类似的选项对象传入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
})

答案 2 :(得分:3)

如果需要为singuar和复数定义使用不同的模型名称,则可以在模型选项中将名称作为参数传递。

请查看以下示例:

    const People = sequelize.define('people', {
    name: DataTypes.STRING,
}, {
    hooks: {
        beforeCount (options) {
            options.raw = true;
        }
    },
    tableName: 'people',
    name: {
        singular: 'person',
        plural: 'people'
    }
});

当查询一条记录时,它将返回“ person”作为对象,而当我们获取多条记录时,将返回“ people”作为数组。

答案 3 :(得分:1)

您可以直接执行此操作,而不必在已定义一次的每个表中进行指定 像下面一样

var db_instance = new Sequelize(config.DB.database, config.DB.username, config.DB.password, {
  host: config.DB.host,
  dialect: config.DB.dialect,
  define: {
    timestamps: true,
    freezeTableName: true
  },
  logging: false
});  

OR

您也可以直接直接告诉Sequelize表名称:

sequelize.define('User', {
  // ... (attributes)
}, {
  tableName: 'Employees'
});

您可以在sequelize.js的文档中看到这两种方法

Doc。与freezeTableName

相关的sequelize.js