如何使用 Web api2 在 asp.net MVC 中创建异步和等待方法

How to make async and await method in asp.net MVC with Web api2


我是 ASP.NET MVC with Web API 2 的新手,我通过使用 asp.net MVC with Web API 2 创建了异步和等待方法,该方法将被存储到SQL 数据库。当我尝试在 API 控制器中调用我的存储库方法时,出现错误无法等待“system.collections.generic.list”。如果有人对此有任何想法,请告诉我。
注意:- 我不想使用 entity framework,而是想通过存储过程存储数据。

Model:

namespace AsyncMVCWEBAPI.Models
{
    public class Product
    {
        public string Name { get; set; }
        public double Price { get; set; }
        public string Category { get; set; }
    }
}

API Controller:

public static async Task<Product> GetProduct()
{
    return await GetAllProduct(); // Here i'm getting an error can not await "system.collections.generic.list"
}

Repository:

public static IEnumerable<Product> GetAllProduct()
{           
    using (SqlConnection con = new SqlConnection(connectionString))
    {
        if (con.State == ConnectionState.Closed)
            con.Open();
        List<Product> students = new List<Product>();
        SqlCommand cmd = new SqlCommand("spGetAllStudentDetails", con);
        cmd.CommandType = CommandType.StoredProcedure;

        SqlDataReader rdr = cmd.ExecuteReader();
        while (rdr.Read())
        {
            Product product = new Product();
            product.Price = Convert.ToInt32(rdr["Price"]);
            product.Name = rdr["Name"].ToString();
            product.Category = rdr["Category"].ToString();

            students.Add(product);

        }
        return students;
    }           
}

主要问题是您不能等待非异步的方法。您应该重写 GetAllProduct 方法,使其与以下签名异步:

public static async Task<IEnumerable<Product>> GetAllProduct()

另外不要忘记使用异步方法从数据库中获取数据:

    ...
    await con.OpenAsync();
    ...
    SqlDataReader rdr = await cmd.ExecuteReaderAsync();
    while (await rdr.ReadAsync())
    {
        ...
        students.Add(product);
    }
    return students;

正如之前的回答所说,您必须将签名更改为:

public static async Task<IEnumerable<Product>> GetAllProduct()

如果您想跳过 ADO.NET 样板文件,您可以改用 Dapper (https://github.com/StackExchange/dapper-dot-net) 来简化代码:

public static async Task<IEnumerable<Product>> GetAllProduct()
{
    using (var con = new SqlConnection(connectionString))
    {
        await con.OpenAsync();
        return await con.QueryAsync<Product>("spGetAllStudentDetails", commandType: CommandType.StoredProcedure);
    }
}