C# new [delegate] not necessary?

前端 未结 3 1767
傲寒
傲寒 2020-12-18 08:04

I\'ve been playing with HttpWebRequests lately, and in the tutorials they always do:

IAsyncResult result = request.BeginGetResponse(
  new Async         


        
相关标签:
3条回答
  • 2020-12-18 08:39

    For completeness, this changes between C# 1.2 (with .NET 1.1) and C# 2.0 (with .NET 2.0). So from 2.0 onwards you can indeed omit the new SomeDelegateType(...) in most scenarios. Oddly, the tooling hasn't changed, so in the IDE if you type someObj.SomeEvent += the IDE will suggest (via tab tab) the full version including delegate type.

    0 讨论(0)
  • 2020-12-18 08:40

    AsyncCallback is just a delegate in C#, it is declared as

    public delegate void AsyncCallback(IAsyncResult ar);
    

    When you pass the method name itself as long as the signature matches the compiler will usually substitute the code for you, its just shortcut.

    You can simply check this using Reflector. If you have this for example.

    request.BeginGetResponse(TestMethod, null);
    
     static void (IAsyncResult r)
            {
               //do something
            }
    

    The compiled code will actually look like this.

       request.BeginGetResponse(new AsyncCallback(Test), null);
    
    0 讨论(0)
  • 2020-12-18 08:43

    It's the same thing, mostly (there are a few overload rules to think about, although not in this simple example). But in previous versions of C#, there wasn't any delegate type inference. So the tutorial was either (a) written before delegate type inference was available, or (b) they wanted to be verbose for explanation purposes.

    Here's a summary of a few of the different ways you can take advantage of delegate type inferencing:

    // Old-school style.
    Chef(new CookingInstructions(MakeThreeCourseMeal));
    
    // Explicitly make an anonymous delegate.
    Chef(delegate { MakeThreeCourseMeal });
    
    // Implicitly make an anonymous delegate.
    Chef(MakeThreeCourseMeal);
    
    // Lambda.
    Chef(() => MakeThreeCourseMeal());
    
    // Lambda with explicit block.
    Chef(() => { AssembleIngredients(); MakeThreeCourseMeal(); AnnounceDinnerServed(); });
    
    0 讨论(0)
提交回复
热议问题