Sqlserver
 sql >> Database >  >> RDS >> Sqlserver

È possibile utilizzare `SqlDbType.Structured` per passare parametri con valori di tabella in NHibernate?

La mia prima idea, ad hoc, è stata quella di implementare il mio IType .

public class Sql2008Structured : IType {
    private static readonly SqlType[] x = new[] { new SqlType(DbType.Object) };
    public SqlType[] SqlTypes(NHibernate.Engine.IMapping mapping) {
        return x;
    }

    public bool IsCollectionType {
        get { return true; }
    }

    public int GetColumnSpan(NHibernate.Engine.IMapping mapping) {
        return 1;
    }

    public void NullSafeSet(DbCommand st, object value, int index, NHibernate.Engine.ISessionImplementor session) {
        var s = st as SqlCommand;
        if (s != null) {
            s.Parameters[index].SqlDbType = SqlDbType.Structured;
            s.Parameters[index].TypeName = "IntTable";
            s.Parameters[index].Value = value;
        }
        else {
            throw new NotImplementedException();
        }
    }

    #region IType Members...
    #region ICacheAssembler Members...
}

Non vengono più implementati metodi; un throw new NotImplementedException(); è in tutto il resto. Successivamente, ho creato una semplice estensione per IQuery .

public static class StructuredExtensions {
    private static readonly Sql2008Structured structured = new Sql2008Structured();

    public static IQuery SetStructured(this IQuery query, string name, DataTable dt) {
        return query.SetParameter(name, dt, structured);
    }
}

L'utilizzo tipico per me è

DataTable dt = ...;
ISession s = ...;
var l = s.CreateSQLQuery("EXEC some_sp @id = :id, @par1 = :par1")
            .SetStructured("id", dt)
            .SetParameter("par1", ...)
            .SetResultTransformer(Transformers.AliasToBean<SomeEntity>())
            .List<SomeEntity>();

Ok, ma cos'è un "IntTable" ? È il nome del tipo SQL creato per passare gli argomenti del valore della tabella.

CREATE TYPE IntTable AS TABLE
(
    ID INT
);

E some_sp potrebbe essere come

CREATE PROCEDURE some_sp
    @id IntTable READONLY,
    @par1 ...
AS
BEGIN
...
END

Ovviamente funziona solo con Sql Server 2008 e in questa particolare implementazione con una singola colonna DataTable .

var dt = new DataTable();
dt.Columns.Add("ID", typeof(int));

È solo POC, non una soluzione completa, ma funziona e potrebbe essere utile se personalizzato. Se qualcuno conosce una soluzione migliore/più breve faccelo sapere.