4

我正在尝试为类型转换创建一个通用方法,该方法获取一个对象和要转换的对象类型。

通过使用Convert.ChangeType()我可以做我想做的事,但是在运行时需要太多时间。制作我想要的通用类的最佳方法是什么。

我的旧代码看起来像这样;

public static ConvertTo<T>(object data) where T : struct // yes the worst variable name!
{
  // do some controls...

  return Convert.ChangeType(data, typeof(T));
}

编辑:澄清...

对于前; 我已经执行了我的查询,它返回了一个 DataRow。并且有一列输入为十进制,我想将其转换为长。如果我调用此方法,则将十进制转换为 long 需要花费很多时间。

并且该方法的 T 类型只能是值类型。我的意思是“T:结构”

4

1 回答 1

3

我仍然怀疑你的表现声称。这里有证据。编译并运行以下程序(在发布模式下):

using System;
using System.Diagnostics;

class Test
{
    const int Iterations = 100000000;

    static void Main()
    {
        Stopwatch sw = Stopwatch.StartNew();
        decimal d = 1.0m;
        long total = 0;
        for (int i=0; i < Iterations; i++)
        {
            long x = ConvertTo<long>(d);
            total += x;
        }
        sw.Stop();
        Console.WriteLine("Time: {0}ms", sw.ElapsedMilliseconds);
        Console.WriteLine("Total: {0}", total);
    }

    public static T ConvertTo<T>(object data) where T : struct
    {
        return (T) Convert.ChangeType(data, typeof(T));
    }
}

在我的笔记本电脑上执行 100,000,000 次迭代需要 20 秒。很难相信在您的计算机上执行 40 次迭代需要 8 秒。

换句话说,我强烈怀疑问题不在你认为的地方。

于 2008-11-25T20:17:17.460 回答