- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有 2 个模型,Note 和 Category,每个 Category 有很多 Notes,而 Note 属于一个 Category:
如何检索所有带有各自类别颜色的笔记?到目前为止,我已经尝试了下图中的内容,但它返回了“{”error”:“Category is not associated to Note!”}”。
最佳答案
您尚未在 note
和 category
模型之间建立正确的关系。您缺少以下关联:
Note.belongsTo(Category, { foreignKey: 'categoryId', targetKey: 'id' });
Note.ts
:
import { sequelize as sequelizeInstance } from '../../db';
import { Model, DataTypes } from 'sequelize';
const config = {
tableName: 'notes',
sequelize: sequelizeInstance,
};
class Note extends Model {
public id!: number;
public title!: string;
public content!: string;
public categoryId!: number;
}
Note.init(
{
id: {
primaryKey: true,
autoIncrement: true,
type: DataTypes.INTEGER,
allowNull: false,
},
title: DataTypes.STRING,
content: DataTypes.STRING,
},
config,
);
export default Note;
Category.ts
:
import { sequelize as sequelizeInstance } from '../../db';
import { Model, DataTypes } from 'sequelize';
const config = {
tableName: 'categories',
sequelize: sequelizeInstance,
};
class Category extends Model {
public id!: number;
public title!: string;
public color!: number;
public categoryId!: number;
}
Category.init(
{
id: {
primaryKey: true,
autoIncrement: true,
type: DataTypes.INTEGER,
allowNull: false,
},
title: DataTypes.STRING,
color: DataTypes.INTEGER,
},
config,
);
export default Category;
index.ts
文件并为其建立关系。
index.ts
:
import { sequelize as sequelizeInstance } from '../../db';
import Note from './note';
import Category from './category';
Category.hasMany(Note, {
sourceKey: 'id',
foreignKey: 'categoryId',
as: 'notes',
onDelete: 'CASCADE',
onUpdate: 'CASCADE',
});
Note.belongsTo(Category, { foreignKey: 'categoryId', targetKey: 'id' });
(async function test() {
try {
await sequelizeInstance.sync({ force: true });
// seed
await Category.bulkCreate(
[
{
title: 'tech',
color: 1,
notes: [
{ title: 'go', content: 'golang' },
{ title: 'nodejs', content: 'nodejs is good' },
],
},
{
title: 'food',
color: 2,
notes: [{ title: 'beef', content: 'I like beef' }],
},
],
{ include: [{ model: Note, as: 'notes' }] },
);
// test
const result = await Note.findAll({ include: [Category], raw: true });
console.log(result);
} catch (error) {
console.log(error);
} finally {
await sequelizeInstance.close();
}
})();
Executing (default): DROP TABLE IF EXISTS "notes" CASCADE;
Executing (default): DROP TABLE IF EXISTS "categories" CASCADE;
Executing (default): DROP TABLE IF EXISTS "categories" CASCADE;
Executing (default): CREATE TABLE IF NOT EXISTS "categories" ("id" SERIAL , "title" VARCHAR(255), "color" INTEGER, PRIMARY KEY ("id"));
Executing (default): SELECT i.relname AS name, ix.indisprimary AS primary, ix.indisunique AS unique, ix.indkey AS indkey, array_agg(a.attnum) as column_indexes, array_agg(a.attname) AS column_names, pg_get_indexdef(ix.indexrelid) AS definition FROM pg_class t, pg_class i, pg_index ix, pg_attribute a WHERE t.oid = ix.indrelid AND i.oid = ix.indexrelid AND a.attrelid = t.oid AND t.relkind = 'r' and t.relname = 'categories' GROUP BY i.relname, ix.indexrelid, ix.indisprimary, ix.indisunique, ix.indkey ORDER BY i.relname;
Executing (default): DROP TABLE IF EXISTS "notes" CASCADE;
Executing (default): CREATE TABLE IF NOT EXISTS "notes" ("id" SERIAL , "title" VARCHAR(255), "content" VARCHAR(255), "categoryId" INTEGER REFERENCES "categories" ("id") ON DELETE CASCADE ON UPDATE CASCADE, PRIMARY KEY ("id"));
Executing (default): SELECT i.relname AS name, ix.indisprimary AS primary, ix.indisunique AS unique, ix.indkey AS indkey, array_agg(a.attnum) as column_indexes, array_agg(a.attname) AS column_names, pg_get_indexdef(ix.indexrelid) AS definition FROM pg_class t, pg_class i, pg_index ix, pg_attribute a WHERE t.oid = ix.indrelid AND i.oid = ix.indexrelid AND a.attrelid = t.oid AND t.relkind = 'r' and t.relname = 'notes' GROUP BY i.relname, ix.indexrelid, ix.indisprimary, ix.indisunique, ix.indkey ORDER BY i.relname;
Executing (default): INSERT INTO "categories" ("id","title","color") VALUES (DEFAULT,'tech',1),(DEFAULT,'food',2) RETURNING *;
Executing (default): INSERT INTO "notes" ("id","title","content","categoryId") VALUES (DEFAULT,'go','golang',1),(DEFAULT,'nodejs','nodejs is good',1),(DEFAULT,'beef','I like beef',2) RETURNING *;
Executing (default): SELECT "Note"."id", "Note"."title", "Note"."content", "Note"."categoryId", "Category"."id" AS "Category.id", "Category"."title" AS "Category.title", "Category"."color" AS "Category.color" FROM "notes" AS "Note" LEFT OUTER JOIN "categories" AS "Category" ON "Note"."categoryId" = "Category"."id";
[ { id: 2,
title: 'nodejs',
content: 'nodejs is good',
categoryId: 1,
'Category.id': 1,
'Category.title': 'tech',
'Category.color': 1 },
{ id: 1,
title: 'go',
content: 'golang',
categoryId: 1,
'Category.id': 1,
'Category.title': 'tech',
'Category.color': 1 },
{ id: 3,
title: 'beef',
content: 'I like beef',
categoryId: 2,
'Category.id': 2,
'Category.title': 'food',
'Category.color': 2 } ]
node-sequelize-examples=# select * from "notes";
id | title | content | categoryId
----+--------+----------------+------------
1 | go | golang | 1
2 | nodejs | nodejs is good | 1
3 | beef | I like beef | 2
(3 rows)
node-sequelize-examples=# select * from "categories";
id | title | color
----+-------+-------
1 | tech | 1
2 | food | 2
(2 rows)
"sequelize": "^5.21.3"
,
postgres:9.6
关于typescript - Sequelize 模型关联在 typescript 中不起作用,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/61166342/
据我所知,标准 jQuery“切换”功能在 jQuery mobile 中不起作用 - 这是正确的吗?如果是这样,还有其他有效的方法吗?我想做的就是打开和关闭“播放”按钮。所以按钮 ID 是“play
他们要求我提供一个“切换按钮”来打开和关闭集群有人可以帮助我实现集群的打开/关闭吗? 注意:加载超过30,000点 最佳答案 创建两层,一层有标记聚类,一层没有标记聚类,并将它们添加到传单控件中。例如
所以我想让我的 Python Gtk 小窗口有 2 个开关。当一个开关打开时,另一个开关关闭,反之亦然。我不太清楚如何控制这两个开关。如果有人能引导我走向正确的方向,我将不胜感激。 #!/usr/bi
按照目前的情况,这个问题不适合我们的问答形式。我们希望答案得到事实、引用或专业知识的支持,但这个问题可能会引发辩论、争论、投票或扩展讨论。如果您觉得这个问题可以改进并可能重新打开,visit the
我为我的 android 应用程序集成了推送通知,我想为任何 android 手机/标签打开/关闭推送通知,任何人都可以帮助我... protected void onPostExecute(Blog
我遇到无法更改的问题 Switch运行时的 textOn/textOff 内容。这意味着,绑定(bind)到简单按钮(用于测试目的)的以下代码不起作用: private int _counter =
我正在开发一个应用程序来测试 iPhone 屏幕是关闭还是打开,我尝试了堆栈溢出中指定的加速度计代码,它在屏幕开启状态下运行良好,但是当我关闭屏幕时,加速度计没有停用。 所以我开始怀疑当屏幕关闭时加速
我想将前置闪光灯设置为自动闪光灯,因此前置摄像头不支持闪光灯,所以我必须将一个 View 设置为白色,以便它作为闪光灯使用,现在我的问题是如果用户设置了怎么办闪光模式自动?当我必须显示 Flash V
我有一个表,其中每隔一个表行都有一个类名“hideme”。在我制作的 css 文件中 .hideme { display:none} 隐藏行包含一个密码字段和一个按钮。在任何给定时间只能显示一个隐藏行
我正在尝试使用 css 切换复选框,使用开/关图像进行切换。但是它并没有发生,fiddle . I agree input[type=checkbox] { display:non
我正在为智能手机编写一个网站。我使用 javascript: navigator.geolocation.getCurrentPosition 来获取位置。 尽管如此,在执行此功能之前,我需要检测 G
如何在我的 Android 应用程序中以编程方式设置数据漫游开/关? 最佳答案 提前为重新打开一个死帖而道歉,但我已经通过调用这个可执行文件设法实现了它: su -c settings put glo
我正在用 java 编程,但我也可以采用 C++(甚至伪)代码,没问题。这是我的意思: 我有一个类似播放列表的东西,例如 List lsMyPlaylist .现在我想给用户洗牌的机会,然后再回到有序
我正在寻找最好的、最具可扩展性的方式来跟踪大量的开/关。开/关适用于项目,编号从 1 到大约 6000 万。 (在我的例子中,开/关是成员(member)的书是否被编入索引,这是一个单独的过程。) 开
我发现下面的代码可以以被动的方式做到这一点。 context.registerReceiver(this.ScreenOffReceiver, new IntentFilter(Intent.ACTI
我有一个脚本,我定期运行以使用 Applescript 打开/关闭灰度。它在 High Sierra 上运行良好,但当我在 Mojave 使用它时抛出异常。 tell application "Sys
如果我启动一个内联 Matplotlib 的 IPython Notebook,有没有办法随后绘制一个图形,以便它以“标准”、非内联的方式显示,而无需在没有内联命令的情况下重新加载笔记本? 我希望能够
如何使用Android中的CheckBoxPreference切换整个系统的声音,振动,数据连接和wifi? 我想在我的应用程序中正在运行 Activity 时禁用这些功能。 最佳答案 我想到了。 在
我想在我的网站上创建一个维护模式,我想放置一个只有管理员才能看到的按钮来打开/关闭维护模式。 这允许管理员继续查看网络,但其他访问者则不能。 我读过有关 catchAllRequest 的内容,创建一
如何检测客户端或服务器端 (ASP.NET) 的浏览器缓存设置。基本上尝试检测用户浏览器是否打开或关闭了缓存。如果关闭,我想将他们重定向到一个包含错误消息的页面,告诉他们打开它。这可能吗? 最佳答案
我是一名优秀的程序员,十分优秀!