使用 DataRowExtension 解析 TimeSpan

Parse TimeSpan with DataRowExtension

我想使用 DataRowExtension 将 DataRow 的字段值作为 TimeSpan(格式如 mm:ss),但它给了我 System.InvalidCastException,如下所示

var time = staffItems.Rows[0].Field<TimeSpan>("TIME_DURATION"); // System.InvalidCastException

但是当将此值作为字符串并在解析为 TimeSpan 后不会出现问题。

var time = staffItems.Rows[0].Field<string>("TIME_DURATION"); // time : 0:43
var time2 = TimeSpan.Parse(time); // time2 : 00:43:00

问题是,我如何在不进行任何额外解析或转换的情况下使用 DataRowExtension 来完成此操作。

首先你必须解析然后获取时间部分

var time = TimeSpan.Parse(staffItems.Rows[0]["TIME_DURATION"]);
var time2 = time.ToString(@"mm\:ss");

如果你想从数据行扩展中得到它。您必须创建数据表并为 "TIME_DURATION" 列指定时间对象。您可以通过以下方法做到这一点:

using System;
using System.Data;

class Program
{
    static void Main()
    {
        //
        // Loop over DataTable rows and call the Field extension method.
        //
        foreach (DataRow row in GetTable().Rows)
        {
            // Get first field by column index.
            int weight = row.Field<int>(0);

            // Get second field by column name.
            string name = row.Field<string>("Name");

            // Get third field by column index.
            string code = row.Field<string>(2);

            // Get fourth field by column name.
            DateTime date = row.Field<DateTime>("Date");

            // Display the fields.
            Console.WriteLine("{0} {1} {2} {3}", weight, name, code, date);
        }
    }

    static DataTable GetTable()
    {
        DataTable table = new DataTable(); // Create DataTable
        table.Columns.Add("Weight", typeof(int)); // Add four columns
        table.Columns.Add("Name", typeof(string));
        table.Columns.Add("Code", typeof(string));
        table.Columns.Add("Date", typeof(DateTime));
        table.Rows.Add(57, "Koko", "A", DateTime.Now); // Add five rows
        table.Rows.Add(130, "Fido", "B", DateTime.Now);
        table.Rows.Add(92, "Alex", "C", DateTime.Now);
        table.Rows.Add(25, "Charles", "D", DateTime.Now);
        table.Rows.Add(7, "Candy", "E", DateTime.Now);
        return table;
    }
}

下面的方法将在 DataRow 扩展方法中将 string 解析为 TimeSpan

public static TimeSpan ExtractTimeData(this DataRow row, string column)
{
    // check column exists in dataTable
    var exists = row.Table.Columns.Contains(column);

    if (exists)
    {
        // ensure we're not trying to parse null value
        if (row[column] != DBNull.Value)
        {
            TimeSpan time;

            if (TimeSpan.TryParse(row[column].ToString(), out time))
            {
                // return if we can parse to TimeSpan
                return time;
            }
        }
    }

    // return default TimeSpan if there is an error
    return default(TimeSpan);
}

您可以像这样使用它:

TimeSpan time = row.ExtractTimeData("TIME_DURATION");
string timeString = time.ToString(@"h\:mm");

可能 TIME_DURATION 字段来自 DataTable 中的 vharchar 或其他内容。它必须等同于 TimeSpan。