资讯专栏INFORMATION COLUMN

Sequelize Model

andong777 / 572人阅读

摘要:定义默认值和是否为空默认时间为创建时间设置为将会在数据表中添加列如果查询时该列为数据库会抛出错误如果你想在查询前检查该值是否为,看一下下面的验证部分可以是或如果多个列是相同就会变成会创建索引也可以这么创建索引主键自动增量在可以有可以通过属性

定义Model

</>复制代码

  1. import sequelize from "sequelize"
  2. var Foo = sequelize.define("foo", {
  3. // 默认值 和 是否为空
  4. flag: { type: Sequelize.BOOLEAN, allowNull: false, defaultValue: true},
  5. // 默认时间为创建时间
  6. myDate: { type: Sequelize.DATE, defaultValue: Sequelize.NOW },
  7. // 设置allowNull为false将会在数据表中添加 NOT NULL列,如果查询时该列为null,数据库会抛出错误
  8. // 如果你想在查询前检查该值是否为null,看一下下面的验证(validations)部分
  9. title: { type: Sequelize.STRING, allowNull: false},
  10. // unique 可以是boolean, 或 string.如果多个列是相同string
  11. // 就会变成 composite unique key.
  12. uniqueOne: { type: Sequelize.STRING, unique: "compositeIndex"},
  13. uniqueTwo: { type: Sequelize.INTEGER, unique: "compositeIndex"}
  14. // unique会创建索引
  15. someUnique: {type: Sequelize.STRING, unique: true}
  16. // 也可以这么创建索引
  17. {someUnique: {type: Sequelize.STRING}},
  18. {indexes: [{unique: true, fields: ["someUnique"]}]}
  19. // 主键
  20. identifier: { type: Sequelize.STRING, primaryKey: true},
  21. // 自动增量
  22. incrementMe: { type: Sequelize.INTEGER, autoIncrement: true },
  23. // 在MySQL and PG可以有comments
  24. hasComment: { type: Sequelize.INTEGER, comment: "I"m a comment!" },
  25. // 可以通过"field"属性设置特定的值
  26. fieldWithUnderscores: { type: Sequelize.STRING, field: "field_with_underscores" },
  27. // 创建外键
  28. bar_id: {
  29. type: Sequelize.INTEGER,
  30. references: {
  31. // This is a reference to another model
  32. model: Bar,
  33. // This is the column name of the referenced model
  34. key: "id",
  35. // This declares when to check the foreign key constraint. PostgreSQL only.
  36. deferrable: Sequelize.Deferrable.INITIALLY_IMMEDIATE
  37. }
  38. }
  39. })

就像mongoose里定义一样

</>复制代码

  1. import mongoose from "mongoose"
  2. const Schema = mongoose.Schema,
  3. ObjectId = Schema.ObjectId
  4. const topicSchema = new Schema({
  5. title: String,
  6. content: String,
  7. addons: [String],
  8. date: { type: Date, default: Date.now },
  9. deleted: { type: Boolean, default: false},
  10. author: {
  11. id: ObjectId,
  12. nickname: String,
  13. avatarUrl: String
  14. },
  15. location: {type: [Number], index: "2d", sparse: true}, //contain 2 items,long & lat
  16. genre: {type: String, default: "public"}
  17. });
  18. export default mongoose.model("topic",topicSchema)
数据类型

</>复制代码

  1. Sequelize.STRING // VARCHAR(255)
  2. Sequelize.STRING(1234) // VARCHAR(1234)
  3. Sequelize.STRING.BINARY // VARCHAR BINARY
  4. Sequelize.TEXT // TEXT
  5. Sequelize.TEXT("tiny") // TINYTEXT
  6. Sequelize.INTEGER // INTEGER
  7. Sequelize.BIGINT // BIGINT
  8. Sequelize.BIGINT(11) // BIGINT(11)
  9. Sequelize.FLOAT // FLOAT
  10. Sequelize.FLOAT(11) // FLOAT(11)
  11. Sequelize.FLOAT(11, 12) // FLOAT(11,12)
  12. Sequelize.REAL // REAL PostgreSQL only.
  13. Sequelize.REAL(11) // REAL(11) PostgreSQL only.
  14. Sequelize.REAL(11, 12) // REAL(11,12) PostgreSQL only.
  15. Sequelize.DOUBLE // DOUBLE
  16. Sequelize.DOUBLE(11) // DOUBLE(11)
  17. Sequelize.DOUBLE(11, 12) // DOUBLE(11,12)
  18. Sequelize.DECIMAL // DECIMAL
  19. Sequelize.DECIMAL(10, 2) // DECIMAL(10,2)
  20. Sequelize.DATE // DATETIME for mysql / sqlite, TIMESTAMP WITH TIME ZONE for postgres
  21. Sequelize.DATE(6) // DATETIME(6) for mysql 5.6.4+. Fractional seconds support with up to 6 digits of precision
  22. Sequelize.DATEONLY // DATE without time.
  23. Sequelize.BOOLEAN // TINYINT(1)
  24. Sequelize.ENUM("value 1", "value 2") // An ENUM with allowed values "value 1" and "value 2"
  25. Sequelize.ARRAY(Sequelize.TEXT) // Defines an array. PostgreSQL only.
  26. Sequelize.JSON // JSON column. PostgreSQL only.
  27. Sequelize.JSONB // JSONB column. PostgreSQL only.
  28. Sequelize.BLOB // BLOB (bytea for PostgreSQL)
  29. Sequelize.BLOB("tiny") // TINYBLOB (bytea for PostgreSQL. Other options are medium and long)
  30. Sequelize.UUID // UUID datatype for PostgreSQL and SQLite, CHAR(36) BINARY for MySQL (use defaultValue: Sequelize.UUIDV1 or Sequelize.UUIDV4 to make sequelize generate the ids automatically)
  31. Sequelize.RANGE(Sequelize.INTEGER) // Defines int4range range. PostgreSQL only.
  32. Sequelize.RANGE(Sequelize.BIGINT) // Defined int8range range. PostgreSQL only.
  33. Sequelize.RANGE(Sequelize.DATE) // Defines tstzrange range. PostgreSQL only.
  34. Sequelize.RANGE(Sequelize.DATEONLY) // Defines daterange range. PostgreSQL only.
  35. Sequelize.RANGE(Sequelize.DECIMAL) // Defines numrange range. PostgreSQL only.
  36. Sequelize.ARRAY(Sequelize.RANGE(Sequelize.DATE)) // Defines array of tstzrange ranges. PostgreSQL only.
  37. Sequelize.GEOMETRY // Spatial column. PostgreSQL (with PostGIS) or MySQL only.
  38. Sequelize.GEOMETRY("POINT") // Spatial column with geomerty type. PostgreSQL (with PostGIS) or MySQL only.
  39. Sequelize.GEOMETRY("POINT", 4326) // Spatial column with geomerty type and SRID. PostgreSQL
范围类型

</>复制代码

  1. // 默认左开右闭"["2016-01-01 00:00:00+00:00", "2016-02-01 00:00:00+00:00")"
  2. // inclusive lower bound, exclusive upper bound
  3. Timeline.create({ range: [new Date(Date.UTC(2016, 0, 1)), new Date(Date.UTC(2016, 1, 1))] });
  4. // control inclusion
  5. const range = [new Date(Date.UTC(2016, 0, 1)), new Date(Date.UTC(2016, 1, 1))];
  6. range.inclusive = false; // "()"
  7. range.inclusive = [false, true]; // "(]"
  8. range.inclusive = true; // "[]"
  9. range.inclusive = [true, false]; // "[)"
  10. // or as a single expression
  11. const range = [
  12. { value: new Date(Date.UTC(2016, 0, 1)), inclusive: false },
  13. { value: new Date(Date.UTC(2016, 1, 1)), inclusive: true },
  14. ];
  15. // "("2016-01-01 00:00:00+00:00", "2016-02-01 00:00:00+00:00"]"
  16. // composite form
  17. const range = [
  18. { value: new Date(Date.UTC(2016, 0, 1)), inclusive: false },
  19. new Date(Date.UTC(2016, 1, 1)),
  20. ];
  21. // "("2016-01-01 00:00:00+00:00", "2016-02-01 00:00:00+00:00")"
  22. Timeline.create({ range });
特例

</>复制代码

  1. // empty range:
  2. Timeline.create({ range: [] }); // range = "empty"
  3. // Unbounded range:
  4. Timeline.create({ range: [null, null] }); // range = "[,)"
  5. // range = "[,"2016-01-01 00:00:00+00:00")"
  6. Timeline.create({ range: [null, new Date(Date.UTC(2016, 0, 1))] });
  7. // Infinite range:
  8. // range = "[-infinity,"2016-01-01 00:00:00+00:00")"
  9. Timeline.create({ range: [-Infinity, new Date(Date.UTC(2016, 0, 1))] });
推迟

</>复制代码

  1. // Defer all foreign key constraint check to the end of a transaction
  2. Sequelize.Deferrable.INITIALLY_DEFERRED
  3. // Immediately check the foreign key constraints
  4. Sequelize.Deferrable.INITIALLY_IMMEDIATE
  5. // Don"t defer the checks at all
  6. Sequelize.Deferrable.NOT
Getters & setters

两种方式定义:

作为属性的一部分

</>复制代码

  1. var Employee = sequelize.define("employee", {
  2. name: {
  3. type : Sequelize.STRING,
  4. allowNull: false,
  5. get : function() {
  6. var title = this.getDataValue("title");
  7. // "this" allows you to access attributes of the instance
  8. return this.getDataValue("name") + " (" + title + ")";
  9. },
  10. },
  11. title: {
  12. type : Sequelize.STRING,
  13. allowNull: false,
  14. set : function(val) {
  15. this.setDataValue("title", val.toUpperCase());
  16. }
  17. }
  18. });
  19. Employee
  20. .create({ name: "John Doe", title: "senior engineer" })
  21. .then(function(employee) {
  22. console.log(employee.get("name")); // John Doe (SENIOR ENGINEER)
  23. console.log(employee.get("title")); // SENIOR ENGINEER
  24. })

作为model选项的一部分

</>复制代码

  1. var Foo = sequelize.define("foo", {
  2. firstname: Sequelize.STRING,
  3. lastname: Sequelize.STRING
  4. }, {
  5. getterMethods : {
  6. fullName : function() { return this.firstname + " " + this.lastname }
  7. },
  8. setterMethods : {
  9. fullName : function(value) {
  10. var names = value.split(" ");
  11. this.setDataValue("firstname", names.slice(0, -1).join(" "));
  12. this.setDataValue("lastname", names.slice(-1).join(" "));
  13. },
  14. }
  15. });
Validations验证

</>复制代码

  1. var ValidateMe = sequelize.define("foo", {
  2. foo: {
  3. type: Sequelize.STRING,
  4. validate: {
  5. is: ["^[a-z]+$","i"], // will only allow letters
  6. is: /^[a-z]+$/i, // same as the previous example using real RegExp
  7. not: ["[a-z]","i"], // will not allow letters
  8. isEmail: true, // checks for email format (foo@bar.com)
  9. isUrl: true, // checks for url format (http://foo.com)
  10. isIP: true, // checks for IPv4 (129.89.23.1) or IPv6 format
  11. isIPv4: true, // checks for IPv4 (129.89.23.1)
  12. isIPv6: true, // checks for IPv6 format
  13. isAlpha: true, // will only allow letters
  14. isAlphanumeric: true, // will only allow alphanumeric characters, so "_abc" will fail
  15. isNumeric: true, // will only allow numbers
  16. isInt: true, // checks for valid integers
  17. isFloat: true, // checks for valid floating point numbers
  18. isDecimal: true, // checks for any numbers
  19. isLowercase: true, // checks for lowercase
  20. isUppercase: true, // checks for uppercase
  21. notNull: true, // won"t allow null
  22. isNull: true, // only allows null
  23. notEmpty: true, // don"t allow empty strings
  24. equals: "specific value", // only allow a specific value
  25. contains: "foo", // force specific substrings
  26. notIn: [["foo", "bar"]], // check the value is not one of these
  27. isIn: [["foo", "bar"]], // check the value is one of these
  28. notContains: "bar", // don"t allow specific substrings
  29. len: [2,10], // only allow values with length between 2 and 10
  30. isUUID: 4, // only allow uuids
  31. isDate: true, // only allow date strings
  32. isAfter: "2011-11-05", // only allow date strings after a specific date
  33. isBefore: "2011-11-05", // only allow date strings before a specific date
  34. max: 23, // only allow values
  35. min: 23, // only allow values >= 23
  36. isArray: true, // only allow arrays
  37. isCreditCard: true, // check for valid credit card numbers
  38. // custom validations are also possible:
  39. isEven: function(value) {
  40. if(parseInt(value) % 2 != 0) {
  41. throw new Error("Only even values are allowed!")
  42. // we also are in the model"s context here, so this.otherField
  43. // would get the value of otherField if it existed
  44. }
  45. }
  46. }
  47. }
  48. });
错误信息

</>复制代码

  1. isInt: {
  2. msg: "Must be an integer number of pennies"
  3. }

</>复制代码

  1. isIn: {
  2. args: [["en", "zh"]],
  3. msg: "Must be English or Chinese"
  4. }
数据同步

</>复制代码

  1. Project.sync()
  2. Task.sync()
  3. // Force the creation!
  4. Project.sync({force: true}) // this will drop the table first and re-create it afterwards
  5. // drop the tables:
  6. Project.drop()
  7. Task.drop()
  8. // event handling:
  9. Project.[sync|drop]().then(function() {
  10. // ok ... everything is nice!
  11. }).catch(function(error) {
  12. // oooh, did you enter wrong database credentials?
  13. })
  14. // Sync all models that aren"t already in the database
  15. sequelize.sync()
  16. // Force sync all models
  17. sequelize.sync({force: true})
  18. // Drop all tables
  19. sequelize.drop()
  20. // emit handling:
  21. sequelize.[sync|drop]().then(function() {
  22. // woot woot
  23. }).catch(function(error) {
  24. // whooops
  25. })
Models扩展

</>复制代码

  1. var User = sequelize.define("user", { firstname: Sequelize.STRING });
  2. // Adding a class level method
  3. User.classLevelMethod = function() {
  4. return "foo";
  5. };
  6. // Adding an instance level method
  7. User.prototype.instanceLevelMethod = function() {
  8. return "bar";
  9. };
索引

</>复制代码

  1. sequelize.define("user", {}, {
  2. indexes: [
  3. // Create a unique index on email
  4. {
  5. unique: true,
  6. fields: ["email"]
  7. },
  8. // Creates a gin index on data with the jsonb_path_ops operator
  9. {
  10. fields: ["data"],
  11. using: "gin",
  12. operator: "jsonb_path_ops"
  13. },
  14. // By default index name will be [table]_[fields]
  15. // Creates a multi column partial index
  16. {
  17. name: "public_by_author",
  18. fields: ["author", "status"],
  19. where: {
  20. status: "public"
  21. }
  22. },
  23. // A BTREE index with a ordered field
  24. {
  25. name: "title_index",
  26. method: "BTREE",
  27. fields: ["author", {attribute: "title", collate: "en_US", order: "DESC", length: 5}]
  28. }
  29. ]
  30. })

文章版权归作者所有,未经允许请勿转载,若此文章存在违规行为,您可以联系管理员删除。

转载请注明本文地址:https://www.ucloud.cn/yun/87948.html

相关文章

  • 使用TS+Sequelize实现更简洁的CRUD

    摘要:哈哈,这又是为什么呢细心的同学可能会发现,的返回值是一个类型的,所以上边并没有属性,的两个属性也是如此。我们通过在函数上边添加一个范型的定义,并且添加限制保证传入的范型类型一定是继承自的,在返回值转换其类型为,就可以实现功能了。 如果是经常使用Node来做服务端开发的童鞋,肯定不可避免的会操作数据库,做一些增删改查(CRUD,Create Read Update Delete)的操作,...

    JayChen 评论0 收藏0

发表评论

0条评论

andong777

|高级讲师

TA的文章

阅读更多
最新活动
阅读需要支付1元查看
<