这意味着我们不能在 userId 列中填充 Null 值,因为该列有非空约束。
此外,您没有将 users 表暴露给 seed 函数的模式,因此我们无法生成 users.id 来填充 userId 列。
Drizzle | 用外键为部分暴露的表进行数据填充 
 PostgreSQL
 MySQL
 SQLite
 
This guide assumes familiarity with:
 - 了解如何使用 PostgreSQL, MySQL 或 SQLite
- 熟悉 Drizzle Seed
示例 1
假设您尝试使用以下所示的填充脚本和模式来填充数据库。
index.ts
schema.ts
 import { bloodPressure } from './schema.ts';
async function main() {
  const db = drizzle(...);
  await seed(db, { bloodPressure });
}
main();
如果 bloodPressure 表在 userId 列上有非空约束,那么运行填充脚本将导致错误。
错误: 列 'userId' 具有非空约束,
并且您没有为 'bloodPressure' 表中的 'userId' 列指定外键表。这意味着什么?
此时,您有几种选择来解决错误:
- 您可以删除 userId列上的非空约束;
- 您可以将 users表暴露给seed函数的模式
await seed(db, { bloodPressure, users });- 您可以 改进 userId列生成器;
示例 2
index.ts
schema.ts
 import { bloodPressure } from './schema.ts';
async function main() {
  const db = drizzle(...);
  await seed(db, { bloodPressure });
}
main();
通过运行上述填充脚本,您将看到一个警告
在 'bloodPressure' 表中的 'userId' 列将填充 Null 值
因为您既没有为 'userId' 列指定外键表
也没有为 'userId' 列提供函数的细化。这意味着什么?
这意味着您既没有将 users 表提供给 seed 函数的模式,也没有改进 userId 列生成器。
因此,userId 列将填充 Null 值。
然后您将有两个选择:
- 
如果您可以接受用 Null 值填充 userId列,可以忽略该警告;
- 
否则,您可以 改进 userId列生成器。
改进 userId 列生成器
这样做需要 users 表中已经有类似于 1 和 2 的 ID。
index.ts
 import { bloodPressure } from './schema.ts';
async function main() {
  const db = drizzle(...);
  await seed(db, { bloodPressure }).refine((funcs) => ({
    bloodPressure: {
      columns: {
        userId: funcs.valuesFromArray({ values: [1, 2] })
      }
    }
  }));
}
main();