使用async/await将现有C#同步方法转换为异步?

Mik*_*keZ 3 .net c# asynchronous async-await

从同步I/O绑定方法开始(如下所示),如何使用async/await使其异步?

public int Iobound(SqlConnection conn, SqlTransaction tran)
{
    // this stored procedure takes a few seconds to complete
    SqlCommand cmd = new SqlCommand("MyIoboundStoredProc", conn, tran);
    cmd.CommandType = CommandType.StoredProcedure;

    SqlParameter returnValue = cmd.Parameters.Add("ReturnValue", SqlDbType.Int);
    returnValue.Direction = ParameterDirection.ReturnValue;
    cmd.ExecuteNonQuery();

    return (int)returnValue.Value;
}
Run Code Online (Sandbox Code Playgroud)

MSDN示例都假设存在*Async方法,并且没有为I/O绑定操作自己创建一个指导.

我可以使用Task.Run()并在该新任务中执行Iobound(),但不鼓励创建新任务,因为该操作不受CPU限制.

我想使用async/await,但我仍然坚持这个如何继续转换此方法的基本问题.

Evk*_*Evk 7

转换此特定方法非常简单:

// change return type to Task<int>
public async Task<int> Iobound(SqlConnection conn, SqlTransaction tran) 
{
    // this stored procedure takes a few seconds to complete
    using (SqlCommand cmd = new SqlCommand("MyIoboundStoredProc", conn, tran)) 
    {
        cmd.CommandType = CommandType.StoredProcedure;
        SqlParameter returnValue = cmd.Parameters.Add("ReturnValue", SqlDbType.Int);
        returnValue.Direction = ParameterDirection.ReturnValue;
        // use async IO method and await it
        await cmd.ExecuteNonQueryAsync();
        return (int) returnValue.Value;
    }
}
Run Code Online (Sandbox Code Playgroud)

  • @MikeZ我上面已经回答了.请提供此类IO的示例,该IO没有异步版本.如果您的意思是由您编写的另一个同步IO方法 - 您应该首先将其转换为异步.所以异步应该一路走下去. (2认同)