6

再会。

请帮助我了解如何使用通用列表使用 SqlCommand 类的三种方法 BeginExecuteReader()。我用BeginExecuteReader做了一个方法,但我不知道这是否是最好的使用方式

public class Empresa {
    public Empresa() {
        PkEmpresa = -1;
        CodigoEmpresa = "";
        Descripcion = "";
        PkCategoriaEmpresa = -1;
    }

    public int PkEmpresa { get; set; }
    public string CodigoEmpresa { get; set; }
    public string Descripcion { get; set; }
    public int PkCategoriaEmpresa { get; set; }

    public Empresa ShallowCopy() {
        return (Empresa)this.MemberwiseClone();
    }
}



public class AsyncronousDAL {
    private static string getConexion() {
        return "Data Source=DATABASE;Initial Catalog=DATA_BASE;Integrated Security=True;Asynchronous Processing=True";
    }

    public static List<Empresa> ConsultaAsincrona() {
        List<Empresa> _resultados = new List<Empresa>();

        using (SqlConnection conexion = new SqlConnection(getConexion())) {
            using (SqlCommand commando = new SqlCommand("[dbo].[pruebaAsync]", conexion)) {
                commando.CommandType = System.Data.CommandType.StoredProcedure;
                conexion.Open();
                IAsyncResult resultado = commando.BeginExecuteReader();
                using (SqlDataReader reader = commando.EndExecuteReader(resultado)) {
                    while (reader.Read()) {
                        _resultados.Add(new Empresa() {
                            PkEmpresa = Convert.ToInt32(reader["PkEmpresa"]),
                            CodigoEmpresa = reader["CodigoEmpresa"].ToString(),
                            Descripcion = reader["Descripcion"].ToString(),
                            PkCategoriaEmpresa = Convert.ToInt32(reader["PkCategoriaEmpresa"])
                        });
                    }
                }
            }
        }

        return _resultados;
    }
}
4

2 回答 2

9

如果您不熟悉异步模式,网上有很多教程和示例。这是旧的,但仍然相关: http: //msdn.microsoft.com/en-us/library/aa719595 (v=vs.71).aspx

当您调用BeginExecuteReader该工作时,最终将被推送到工作线程,从而允许您的 main 继续执行。当你调用EndExecuteReader这将导致你的主线程阻塞,直到该任务完成。

如果您立即调用 EndExecuteReader - 您并没有真正获得任何好处(实际上,您正在引入额外的开销)。

看看这里的例子:http: //msdn.microsoft.com/en-us/library/7szdt0kc.aspx

BeginExecuteReader 方法立即返回,但在代码执行相应的 EndExecuteReader 方法调用之前,它不得执行任何其他对同一 SqlCommand 对象启动同步或异步执行的调用。在命令执行完成之前调用 EndExecuteReader 会导致 SqlCommand 对象阻塞,直到执行完成。

这是代码的相关部分:

            // Although it is not required that you pass the 
            // SqlCommand object as the second parameter in the 
            // BeginExecuteReader call, doing so makes it easier
            // to call EndExecuteReader in the callback procedure.
            AsyncCallback callback = new AsyncCallback(HandleCallback);
            command.BeginExecuteReader(callback, command);
于 2012-06-08T17:07:16.927 回答
1

如果您要立即阻止(调用EndExecuteReader),您应该只使用ExecuteReader而不是BeginExecuteReader.

于 2012-06-08T16:59:03.740 回答