0

我正在尝试做这样的事情:

db = new LiteDatabase(@"albumdata.db");
db_string = db.GetCollection<StringPair>("strings");
db.Engine.EnsureIndex("strings", "a", true);

db_string.Upsert(new StringPair("a", "1"));
// this line throws this exception : LiteDB.LiteException: 'Cannot insert duplicate key in unique index 'a'. The duplicate value is '"a"'.'
db_string.Upsert(new StringPair("a", "1"));

但正如代码中所述,我收到此错误:LiteDB.LiteException:'无法在唯一索引'a'中插入重复键。重复值是'"a"'。

如果Upsert存在,它不是用于插入或更新吗?

4

2 回答 2

2

您的StringPair类是否包含唯一的 Id 属性(_id字段)。LiteDB 使用 PK 索引(_id字段)来检查是否存在文档进行插入或更新。试试这个类结构:

public class StringPair
{
    public StringPair(string a, string b)
    {
        this.Id = a;
        this.OtherField = b;
    }

    public StringPair()
    {
        // don't forgot parameterless ctor
    }

    // Define "Id" or use [BsonId] in your property or use FluentApi mapper

    public string Id { get; set; }
    public string OtherField { get; set; }
}


db = new LiteDatabase(@"albumdata.db");

db_string = db.GetCollection<StringPair>("strings");

// PK already contains unique index
// db.Engine.EnsureIndex("strings", "a", true);

db_string.Upsert(new StringPair("a", "1")); // insert

db_string.Upsert(new StringPair("a", "2")); // update
于 2018-01-29T08:15:59.773 回答
0

如果你告诉 LiteDb 引擎你的类的哪个属性应该被视为 id,你可以很容易地保持你的类结构,使用属性BsonIdAttribute

public sealed class StringPair
{
    [BsonId]
    public string First { get; set; }
    public string Second { get; set; }
}
于 2020-09-07T02:28:32.137 回答