DataReader is null or empty

前端 未结 2 533
情歌与酒
情歌与酒 2021-01-16 09:11

Using C#

I have a datareader that return a lsit of records from a mysql database.

I am trying to write code that checks if the datareader isnull. The logic

相关标签:
2条回答
  • 2021-01-16 09:24

    I see a few problems here... First, it looks like you're trying to access the table name in the line:

    if(dr1["tb_car"] != DBNull.Value
    

    You should be passing a FIELD NAME instead of the table name. So if the table named "tb_car" had a field called CarId, you would want to have your code look like:

    if(dr1["CarId"] != DBNull.Value)
    

    If I'm right, then there is probably no field named "tb_car", and the Index is Out of Range error is because the DataReader is looking for an item in the column collection named "tb_car" and not finding it. That's pretty much what the error means.

    Second, before you can even check it , you have to call the DataReader's Read() command first to read a line from the database.

    so really your code should look like...

    while(dr.Read())
    {
       if(dr1["CarId"] != DBNull.Value)
       {
          ....
    

    and so on.

    See here for the proper use of a DataReader: http://msdn.microsoft.com/en-us/library/system.data.sqlclient.sqldatareader.read.aspx


    Finally, if you're just checking to see if there are any rows in the table, you can ignore all of the above and use the HasRows property as in

    if(dr.HasRows)
    {
       ....
    

    although if you're using the while(dr.Read()) syntax, the code in the while loop will only execute if there are rows in the first place, so the HasRows could potentially be unnecessary if you don't want to do anything with no results. You would still want to use it if you want to return a message like "no results found", of course..

    Edit - Added

    I think there's a problem also with the line

    if(dr1["CarId"] != DBNull.Value)
    

    You should be using if DataReader's IsDbNull() method. as in

    if(dr.IsDbNull("CarId"))
    

    Sorry I missed that the first time around.

    0 讨论(0)
  • 2021-01-16 09:37

    Use dr1.Read() to check that there is a row before attempting to read values. Read gets the first row initially, and then returns subsequent rows, returning true if row available or empty/end of set.

    eg.

    // for reading one row
    if (rd1.Read())
    {
        // do something with first row
    }
    
    // for reading thru multiple rows
    while (rd1.Read())
    {
        // do something with current row
    }
    
    0 讨论(0)
提交回复
热议问题