在搜索解决方案时,我得到了this和this,但这个概念对我来说并不清楚,所以无法实现它:(。 当我尝试更新数据库中的值(特别是对于datetime对象)时,会发生此错误。以下是我正在使用的代码: -
var update = Builders<Model>.Update
.Set(t => t.startdate, BsonValue(objModel.startdate));
var result = model.UpdateOne(query, update);
和BonValue函数如下: -
private static BsonValue BsonValue(object obj)
{
if (obj == null)
return (BsonValue)obj ?? BsonNull.Value;
else if (obj.GetType() == typeof(string))
return new BsonString(obj.ToString());
else if (obj.GetType() == typeof(DateTime))
return new BsonDateTime(DateTime.SpecifyKind(DateTime.Parse(obj.ToString()), DateTimeKind.Utc));
else if (obj.GetType() == typeof(int))
return new BsonInt32(int.Parse(obj.ToString()));
else
return (BsonValue)obj;
}
我认为这是因为我已经开始使用mongoDB.Bson和mongoDB.Driver的升级包。当前版本为2.3.0
任何帮助将不胜感激。
修改
1)在插入数据时我所做的如下: -
BsonDocument objBsonDoc = new BsonDocument {
{ "startdate",DataManager.GetBsonValue( objModel.startdate) }
}; return dbHelper.CreateDocument(Model.CollectionName, objBsonDoc);
在objBsonDoc中我可以看到StartDate值,但在CreateDocument命令后,StartDate没有保存在DB中。
2)这是我在更新值时所做的事情: -
public static long Edit(Model objModel, string id)
{
IMongoCollection<Model> model = dbHelper.GetCollection<Model>(Model.CollectionName);
var query = Builders<Model>.Filter.Eq(t => t.id, ObjectId.Parse(id));
var update = Builders<Model>.Update
.Set(t => t.startdate, objModel.startdate);
var result = model.UpdateOne(query, update);
return result.MatchedCount;
}
这里我也得到了开始日期的值,并且还得到了modifiedcount = 1,但是当我检查数据库时,它仍然显示为启动状态为空。
我的模特课: -
public class Model
{
public static string CollectionName
{
get { return "Collection"; }
}
public ObjectId id { get; set; }
[BsonDateTimeOptions(Kind = DateTimeKind.Utc)]
[BsonRepresentation(BsonType.DateTime)]
public DateTime startdate { get; set; }
}
答案 0 :(得分:3)
您不需要按照自己的方式执行自己的转换。
尝试在模型上设置BsonRepresentation
public class Model
{
[BsonDateTimeOptions(Kind = DateTimeKind.Utc)]
[BsonRepresentation(BsonType.DateTime)]
public DateTime startDate { get; set; }
}
为了澄清我可以建议您将收藏变量重命名为集合而不是模型,因为这会令人困惑,所以
IMongoCollection<Model> collection = dbHelper.GetCollection<Model>(Model.CollectionName);
Model objModel = new Model { startDate = DateTime.UtcNow };
collection.InsertOne(yourModel);
要执行更新,您无需设置为BsonValue
var query = Builders<Model>.Filter.Eq(t => t.Id, ObjectId.Parse(id));
var update = Builders<Model>.Update.Set(t => t.startdate, objModel.startdate);
var result = model.UpdateOne(query, update);
一个建议是将ObjectId存储为字符串,并像使用DateTime一样使用BsonRepresentation:
[BsonRepresentation(BsonType.ObjectId)]
[BsonId]
public string Id { get; set; }
这样你就不需要用它来解析它到ObjectId并且它的工作方式是一样的,所以你的过滤器变成了
var query = Builders<Model>.Filter.Eq(t => t.Id, id);
或者您可以直接在更新中使用Lambda,如下所示:
var update = Builders<Model>.Update
.Set(t => t.Id == id, objModel.startdate);