linq2db为要转换到特定C#类型或从特定C#类型转换到数据库的字段指定自定义转换

本文关键字:转换 数据库 字段 自定义 类型转换 类型 linq2db | 更新日期: 2023-09-27 18:29:54

在我们必须使用的数据库(即DB2)中,有些字段存储为字符,但实际上是其他对象,最常见的是底层应用程序存储日期和时间的自定义方式。例如:

[Table]
public class ExampleTable {
    // This is stored in the DB as a char in the format: 2016-01-11-11.39.53.492000
    [Column(Name = "WTIMESTAMP")] public string WriteTimestamp { get; set; }
}

是否有一种方法可以告诉linq2db在转换到数据库/从数据库转换时要使用的转换方法,这也允许我们将这些属性作为我们想要的对象(例如,C#DateTime对象)访问,但以正确的格式保存回来?

我想到的一件事是:

[Table]
public class ExampleTable {
    public DateTime WriteTimestamp { get; set; }
    // This is stored in the DB as a char in the format: 2016-01-11-11.39.53.492000
    [Column(Name = "WTIMESTAMP")] public string WriteTimestampRaw 
    { 
        get {
            return ConvertWriteTimestampToDb2Format(WriteTimestamp);
        } 
        set {
            WriteTimestamp = ConvertWriteTimestampToDateTime(value);    
        }
    }
}

然后我们访问WriteTimestamp,但linq2db在查询中使用WriteTimestampRaw。

但是,我不确定这是最好还是唯一的选择。提前谢谢。

linq2db为要转换到特定C#类型或从特定C#类型转换到数据库的字段指定自定义转换

嗯。。。我刚刚注意到,在我发布答案后,你说的是linq2db,而不是实体框架。也许它仍然会给你一些想法。


我之前对实体框架所做的工作(虽然不是专门针对DB2,但我认为它仍然可以工作)是使用这个答案中提供的代码,允许将私有属性映射到数据库列。然后,我有一些类似于您的代码,只是getter和setter颠倒了:

[Table("ExampleTable")]
public class ExampleTable
{
    [NotMapped]
    public DateTime WriteTimestamp
    {
        get
        {
            var db2Tstamp = DB2TimeStamp.Parse(WriteTimestampRaw);
            return db2Tstamp.Value;
        }
        set
        {
            var db2Tstamp = new DB2TimeStamp(value);
            WriteTimestampRaw = db2Tstamp.ToString();
        }
    }
    // This is stored in the DB as a char in the format: 2016-01-11-11.39.53.492000
    [Column("WTIMESTAMP")]
    private string WriteTimestampRaw { get; set; }
}

我使用了DB2TimeStamp类来处理字符串和DateTime值之间的转换,但您可能可以按照自己的意愿进行转换。

您可以使用MappingSchema.SetConverter方法在客户端设置特定类型之间的转换。或者MappingSchema.SetConverterExpression将转换器创建为查询树的一部分。