我有.itemId
来自第三方,不是由我生成的。
我需要在数据库中查找并更新或插入(如果不存在)。
我尝试过使用食谱中的这个例子:https://www.rethinkdb.com/docs/cookbook/javascript/#manipulating-documents
const res = await this.r.table('products').filter({itemId: item.itemId})
.limit(1)
.replace(doc => {
return this.r.branch(
doc.eq(null),
this.r.expr(item).merge({created_at: this.r.now()}),
doc.merge(item).merge({updated_at: this.r.now()})
)
}, {
returnChanges: true
}).run(this.conn);
if (res.replaced) {
return res.changes[0].new_val;
} else {
return item; // doc was never inserted as everything in `res` is `0`.
}
如果文档不存在,并且在不在数据库中之后搜索id,则 res.changes
未定义。它从未被插入。
在给定对象的任意属性的情况下,有没有办法简化upsert()
命令?
答案 0 :(得分:1)
在" else"您应该执行插入查询的子句和代码中的分支子句是无用的(查询将永远不会返回" null"因此该项目不会被"创建")
有几种方法可以解决这个问题: 最好的方法是使用itemId(或r.uuid(itemId))作为主键,并使用conflict子句进行插入。
如果你不能 一种方法是尝试和替换,如果它没有替换任何插入:
this.r.table('products').filter({itemId: item.itemId})
.limit(1)
.replace(
doc => doc.merge(item).merge({updated_at: this.r.now()}),
{ returnChanges: true }
)
.do(res => res('replaced').eq(1).branch(
res,
r.table('products').insert(
{ ...item, created_at: this.r.now()},
{ returnChanges: true }
)
))
.run()
另一种方法是尝试查看是否存在并使用索引进行upsert:
this.r.table('products').filter({itemId: item.itemId})
.nth(0)
.default(null)
.do(res =>
r.table('products').insert(
{
...item,
id: res('id').default(r.uuid()),
created_at: this.r.now()
},
{
returnChanges: true,
conflict: (id, old, new) =>
old.merge(item).merge({updated_at: this.r.now()})
}
)
))
.run()
此外,如果您需要它来执行我建议在itemId上创建二级索引并使用" getAll"而不是"过滤"。
如果您很有可能同时获得具有相同itemId的多个项目,这些方法将无济于事,为了解决这个问题,您需要创建一个不同的唯一表格:
r.table('products_itemId')
.insert(
{itemId: item.itemId, id: r.uuid()},
{ returnChanges: true, conflict: (id, old, new) => old }
)
.do(res =>
r.table('products').insert(
{
...item,
id: res('new_val')('id'),
created_at: this.r.now()
},
{
returnChanges: true,
conflict: (id, old, new) =>
old.merge(item).merge({updated_at: this.r.now()})
}
)
))
.run()
请注意,您必须手动维护对itemId字段的删除和更新