nHibernate欧元符号€改变角色¿

时间:2017-12-07 15:01:13

标签: c# .net nhibernate fluent-nhibernate ascii

我尝试在数据库Oracle 11g中使用NHibernate和FluentNHibernate保存欧元符号

我检查了NHibernate的日志并查看生成的sql语句:

UPDATE CURRENCY
SET    DESCRIPTION = 'Euro',
       SYMBOL = '€',
WHERE  ID = 63

当表CURRENCY中的查询执行时,列SYMBOL会返回¿

我尝试使用SYMBOL更改列AnsiString的FluentNHibernate映射,如下所示:

Map((x) => x.Symbol).Column("SYMBOL").CustomType("AnsiString").Not.Nullable();

但它不起作用。

我也尝试更改NVARCHAR2的列类型并更改FluentNHibernate Mapping:

Map((x) => x.Symbol).Column("SYMBOL").CustomSqlType("NVARCHAR2").Not.Nullable();

但它也不起作用。

我怎样才能让它发挥作用?

1 个答案:

答案 0 :(得分:0)

如果数据库中的所有字符串都是NVARCHAR2,则可以对应用程序中的所有字符串使用NVARCHAR2(否则,由于转换为VARCHAR2可能会导致性能问题)-但您至少需要NHibernate 5.0。在NHibernate配置中将此属性设置为true:oracle.use_n_prefixed_types_for_unicode

nHibernateConfig.SetProperty("oracle.use_n_prefixed_types_for_unicode", "true");

如果混合使用VARCHAR2和NVARCHAR2列,一个更好的解决方案是对NVARCHAR2列/属性使用自定义类型:

public class UnicodeStringType : IUserType
{
    public bool Equals(object x, object y)
    {
        if (ReferenceEquals(x, y)) return true;
        if (x == null || y == null) return false;
        return x.Equals(y);
    }

    public int GetHashCode(object x)
    {
        return x.GetHashCode();
    }

    public object NullSafeGet(IDataReader rs, string[] names, object owner)
    {
        var value = NHibernateUtil.String.NullSafeGet(rs, names[0]) as string;
        return value;
    }

    public void NullSafeSet(IDbCommand cmd, object value, int index)
    {
        var parameter = (IDataParameter)cmd.Parameters[index];
        ((OracleParameter)parameter).OracleDbType = OracleDbType.NVarchar2;
        parameter.Value = value;
    }

    public object DeepCopy(object value)
    {
        return value;
    }

    public object Replace(object original, object target, object owner)
    {
        return original;
    }

    public object Assemble(object cached, object owner)
    {
        return DeepCopy(cached);
    }

    public object Disassemble(object value)
    {
        return DeepCopy(value);
    }

    public SqlType[] SqlTypes => new[] { new SqlType(DbType.String) };
    public Type ReturnedType => typeof(string);
    public bool IsMutable => false;
}

您可以在映射中像这样使用它:

Map((x) => x.Symbol).Column("SYMBOL").CustomType<UnicodeStringType>().Not.Nullable();