2

我正在尝试在 RowDataBound 事件中从 dataTable 中获取当前编辑行的值:这是我的代码:

string KK = (string)DataBinder.Eval(e.Row.DataItem, "Name");
if ( KK == "John" )
{
//execute code
}

错误:无法将“System.DBNull”类型的对象转换为“System.String”类型。在第一行(带有字符串 KK 的那个...)

我该如何解决?

4

5 回答 5

13

使用DataItemGridViewRow不是DataBinder.Eval获取底层数据源:

protected void GridView1_RowDataBound(object sender, GridViewRowEventArgs e)
{
    if (e.Row.RowType == DataControlRowType.DataRow && e.Row.RowState == DataControlRowState.Edit))
    {
        DataRow row = ((DataRowView)e.Row.DataItem).Row;
        String name = row.Field<String>("Name");
        // String is a reference type, so you just need to compare with null
        if(name != null){/* do something */}
    }
}

Field扩展方法还支持可为空的类型。

于 2012-04-24T13:40:03.820 回答
1

检查 DBNull.Value 并检索您的数据,如果不是 DBNull.Value

于 2012-04-24T13:40:12.717 回答
1

DBNull表示该值为DB中的空值,表示没有值。您可能想要检查查询是否返回有效数据。如果是,则需要在列表中的项目为空时找到要使用的值。

试试这个:

string KK = DataBinder.Eval(e.Row.DataItem, "Name").GetType() == typeof(System.DBNull) ? "" : (string)DataBinder.Eval(e.Row.DataItem, "Name")
于 2012-04-24T13:42:27.613 回答
0

您需要使用“IsNull”方法正确检查空值,然后才能尝试检索它。

于 2012-04-24T13:36:48.110 回答
0

你应该抓住DataRow并解决这个问题:

var row = e.Row.DataItem as DataRow;
if (row != null)
{
    //for strings this will work fine
    var name = row.Field<string>("Name");

    //for other types use the IsNull function to check for DBNull
    if (!row.IsNull("SomeDecimalValue"))
        var value = row.Field<decimal>("SomeDecimalValue");
}

编辑另一种选择是在值可能为nullor时使用可为空的类型DBNull

var value = row.Field<decimal?>("SomeDecimalValue");
if (value.HasValue)
{

}
于 2012-04-24T13:52:48.550 回答