如何从真实后端在 prisma 中插入批量查询?

How to insert bulk queries in prisma from real backend?

所以我正在查看 Prisma 文档,我遇到了一个创建关系查询的示例。此查询插入一个新的 post 并为其分配一个具有现有类别的作者。

const assignCategories = await prisma.post.create({
  data: {
    title: 'How to be Bob',
    categories: {
      create: [
        {
          assignedBy: 'Bob',
          assignedAt: new Date(),
          category: {
            connect: {
              id: 9,
            },
          },
        },
        {
          assignedBy: 'Bob',
          assignedAt: new Date(),
          category: {
            connect: {
              id: 22,
            },
          },
        },
      ],
    },
  },
})

我能理解这个查询的作用,但我不明白如何在后端使用传入的请求正文实现它。

假设我有这个请求正文

{
    "title": "how to be bob",
    "categories": [
        {
            "assignedby": "bob",
            "category": {
                "id": 9
            }
        },
        {
            "assignedby": "bob",
            "category": {
                "id": 22
            }
        }
    ]
}

如何将此请求主体转换为第一个代码块中的数据对象?

我明白了。它一直在我的脸上。只需使用 .map 映射类别

const data = {
    title: 'how to be bob',
    categories: [
        {
            assignedby: 'bob',
            category: {
                id: 9,
            },
        },
        {
            assignedby: 'bob',
            category: {
                id: 22,
            },
        },
    ],
};


const mappedData = {
    title: data.title,
    categories: {
        create: data.categories.map((i) => ({
            assignedBy: i.assignedby,
            assignedAt: new Date(),
            category: {
                connect: {
                    id: i.category.id,
                },
            },
        })),
    },
};

console.log(mappedData);

记录这个

    "title": "how to be bob",
    "categories": {
        "create": [
            {
                "assignedBy": "bob",
                "assignedAt": "2021-10-24T12:10:00.397Z",
                "category": {
                    "connect": {
                        "id": 9
                    }
                }
            },
            {
                "assignedBy": "bob",
                "assignedAt": "2021-10-24T12:10:00.397Z",
                "category": {
                    "connect": {
                        "id": 22
                    }
                }
            }
        ]
    }
}

正是我们所需要的。