0

当任何单元格的数据库中存在空值时,我看到错误,无法将对象从 DBNull 转换为其他类型。 - Asp.net 网格视图

<asp:TemplateField ItemStyle-Width="120" HeaderText="Price Difference">
                                     <ItemTemplate>
<%# PercentageChange(DataBinder.Eval(Container.DataItem, "FirstPrice"),DataBinder.Eval(Container.DataItem, "SecondPrice")) %>

                                     </ItemTemplate>
                                 </asp:TemplateField>

C#

protected string PercentageChange(object client_Price, object second_price)
    {
       double price1 = Convert.ToDouble(client_Price);
            double price2 = Convert.ToDouble(second_price);
            double percentagechange = ((price1 - price2) / price2) * 100;
             return percentagechange ;
} 
4

3 回答 3

3

您需要将您的值与DBNull.Value以下内容进行比较

protected string PercentageChange(object client_Price, object second_price)
{
       if(client_price==DBNull.Value)
       {
           .....
       }
       //double price1 = Convert.ToDouble(client_Price);
       //double price2 = Convert.ToDouble(second_price);
       //double percentagechange = ((price1 - price2) / price2) * 100;
       //return percentagechange ;
 } 
于 2013-11-14T10:50:07.360 回答
2

然后检查它是否为DBNull空:

protected string PercentageChange(object client_Price, object second_price)
{
    if(DBNull.Value.Equals(client_Price) || client_Price == null || DBNull.Value.Equals(second_price) || second_price == null)
        return "N/A"; // or whatever

    double price1 = Convert.ToDouble(client_Price);
    double price2 = Convert.ToDouble(second_price);
    double percentagechange = ((price1 - price2) / price2) * 100;
    return percentagechange.ToString();
} 
于 2013-11-14T10:52:57.367 回答
0

错误原因:在面向对象的编程语言中,null 表示没有对对象的引用。DBNull 表示未初始化的变体或不存在的数据库列。来源:MSDN

我遇到错误的实际代码:

更改代码之前:

        if( ds.Tables[0].Rows[0][0] == null ) //   Which is not working

         {
                seqno  = 1; 
          }
        else
        {
              seqno = Convert.ToInt16(ds.Tables[0].Rows[0][0]) + 1;
         }

更改代码后:

   if( ds.Tables[0].Rows[0][0] == DBNull.Value ) //which is working properly
        {
                    seqno  = 1; 
         }
            else
            {
                  seqno = Convert.ToInt16(ds.Tables[0].Rows[0][0]) + 1;
             }

结论: 当数据库值返回空值时,我们建议使用 DBNull 类,而不是像 C# 语言那样只指定为空。

于 2016-06-07T11:23:36.970 回答