来自control.Invoke((MethodInvoker)委托的返回值{/ * ... * /};我需要一些解释

时间:2010-06-25 12:27:59

标签: c# invoke

#1和#2之间有什么区别:

代码1(已编译好):

        byte[] GetSomeBytes()
  {
            return (byte[])this.Invoke((MethodInvoker)delegate 
            { 
                GetBytes(); 
            });
  }

  byte[] GetBytes()
  {
   GetBytesForm gbf = new GetBytesForm();

   if(gbf.ShowDialog() == DialogResult.OK)
   {
    return gbf.Bytes;
   }
   else
    return null;
  }

代码2(没有遵守确定)

int GetCount()
{
       return (int)this.Invoke((MethodInvoker)delegate
       {
           return 3;            
       });
}

代码#2给了我由于'System.Windows.Forms.MethodInvoker'返回void,因此返回关键字后面不能跟一个对象表达式

我该如何解决?为什么(做)编译器认为代码#1是对的?

2 个答案:

答案 0 :(得分:24)

要回答您的第一个问题,请尝试更改您的第一个样本:

return (byte[])this.Invoke((MethodInvoker)delegate 
{ 
    return GetBytes(); 
});

此时,您将遇到相同的编译错误。

public object Invoke(Delegate method)返回一个对象,因此您可以将返回值强制转换为任何对象并进行编译。但是,您传递的是MethodInvoker类型的委托,其中包含签名delegate void MethodInvoker()。因此,在您转换为MethodInvoker的方法体内,您不能return任何事情。

请尝试使用第二个:

return (int)this.Invoke((Func<int>)delegate
{
    return 3;
});

Func<int>是一个返回int的委托,因此它将被编译。

答案 1 :(得分:1)

在代码#1中,您的委托不返回值 - 它只是执行GetBytes(),但不返回任何内容。编译器不会抱怨,因为它不期望返回值(这是一个void方法)。

但是,在代码#2中,您尝试从委托中返回一个值 - 这是编译器抱怨的,因为您无法从void方法返回值(在本例中为“3”)。