sql >> Base de Datos >  >> RDS >> Sqlserver

¿Es posible usar `SqlDbType.Structured` para pasar parámetros con valores de tabla en NHibernate?

Mi primera idea ad hoc fue implementar mi propio 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...
}

No se implementan más métodos; a throw new NotImplementedException(); está en todo lo demás. Luego, creé una extensión simple para 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);
    }
}

El uso típico para mí es

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>();

Vale, pero ¿qué es una "IntTable"? ? Es el nombre del tipo de SQL creado para pasar argumentos de valor de tabla.

CREATE TYPE IntTable AS TABLE
(
    ID INT
);

Y some_sp podría ser como

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

Por supuesto, solo funciona con Sql Server 2008 y en esta implementación particular con una DataTable de una sola columna .

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

Es solo POC, no es una solución completa, pero funciona y puede ser útil cuando se personaliza. Si alguien conoce una solución mejor o más corta, háganoslo saber.