我已经阅读了有关此问题的帖子,但是有人可能会为我愚蠢吗? 所以我目前正在探索代表,显然有一些用途,比如事件。 然而,对于简单的操作,例如乘以2个数字,首选什么? 过度使用代表是不好的做法? 以下是我一直在看的内容。
namespace ConsoleApplication32
{
public delegate int Function2(int x, int y);
class Program
{
static void Main(string[] args)
{
Console.WriteLine("Method");
Stopwatch sw2 = Stopwatch.StartNew();
Console.WriteLine("Method: " + Function(5, 5));
sw2.Stop();
Console.WriteLine(sw2.Elapsed);
Console.WriteLine("Delegate");
Stopwatch sw4 = Stopwatch.StartNew();
Function2 g = Function;
Console.WriteLine("Delegate: " + g(5, 5));
sw4.Stop();
Console.WriteLine(sw4.Elapsed);
Console.WriteLine("Anonymous");
Stopwatch sw3 = Stopwatch.StartNew();
Function2 f = delegate(int a, int b) { return a * b; };
Console.WriteLine("Anonymous: " + f(5, 5));
sw3.Stop();
Console.WriteLine(sw3.Elapsed);
Console.WriteLine("Lambda");
Stopwatch sw5 = Stopwatch.StartNew();
Function2 h = (x, y) => { return x * y; };
Console.WriteLine("Lambda: " + h(5, 5));
sw5.Stop();
Console.WriteLine(sw5.Elapsed);
Console.WriteLine("Func Delegate");
Stopwatch sw = Stopwatch.StartNew();
Func<int, int, int> function = (x, y) => x * y;
Console.WriteLine("Func: " + function(5, 5));
sw.Stop();
Console.WriteLine(sw.Elapsed);
}
static int Function(int x, int y)
{
return x * y;
}
}
}
答案 0 :(得分:2)
没有区别。
delegate(int a, int b) { return a * b; };
和
(x, y) => { return x * y; };
将使用匿名方法转换为相同的匿名类。所以从效率的角度来看没有区别。但lambda通常更具可读性和更短,因此它们在LINQ语句中使用。在lambda中包含乘法函数没有什么不好的,只是不要创建它们太多(或者例如不要在循环中创建它们),因为它可能会导致实例化大量的匿名类。