1

我正在尝试从我的数据库中返回一个数据对象,以便我可以访问(例如)我的 ASP.NET 网站中的客户 ID。在客户登录时,该对象被返回。但是,我收到错误:

   'Invalid attempt to read when no data is present.' 

我已经在数据库上完成了一个 sql 查询(执行我的存储过程),它返回了正确的信息,所以我知道它在那里。我只能假设以下方法有问题:

    using (SqlConnection sqlConn = new SqlConnection(ConfigurationManager.ConnectionStrings["ConnectionString"].ConnectionString))
        {
            using (SqlCommand sqlComm = new SqlCommand("Select_Customer_By_UserName_And_Password", sqlConn))
            {
                sqlComm.Connection.Open();
                try
                {
                    sqlComm.CommandType = CommandType.StoredProcedure;
                    sqlComm.Parameters.Add("@Username", SqlDbType.NVarChar, 25).Value = pUsername;
                    sqlComm.Parameters.Add("@Password", SqlDbType.NVarChar, 25).Value = pPassword;

                    using (SqlDataReader sqlDR = sqlComm.ExecuteReader(CommandBehavior.SingleRow))
                    {
                        if (sqlDR.HasRows)
                        {
                            //Creating the new object to be returned by using the data from the database.
                            return new Customer
                            {
                                CustomerID = Convert.ToInt32(sqlDR["CustomerID"])
                            };
                        }
                        else
                            return null;
                    }
                }
                catch (Exception)
                {
                    throw;
                }
                finally
                {
                    sqlComm.Connection.Close();
                }
            }
        }
4

1 回答 1

3

您需要调用sqlDR.Read(),否则“记录指针”将指向一条记录。HasRows仅表示实际上有您可以读取的行。要读取每一行(或仅读取第一行),您需要调用Read一次或while循环调用。

例如:

if (reader.HasRows)
{
    while (reader.Read())
        ...
}

您的代码应为:

using (SqlDataReader sqlDR = sqlComm.ExecuteReader(CommandBehavior.SingleRow))
{
    if (sqlDR.Read())
    {
        //Creating the new object to be returned by using the data from the database.
        return new Customer
        {
            CustomerID = Convert.ToInt32(sqlDR["CustomerID"])
        };
    }
    else
        return null;
}

顺便说一句:恭喜使用using和参数化查询!

于 2013-02-06T12:33:36.363 回答