다음을 통해 공유


MulticastDelegate 클래스

멀티캐스트 대리자 즉, 해당 호출 목록에 둘 이상의 요소를 가질 수 있는 대리자를 나타냅니다.

네임스페이스: System
어셈블리: mscorlib(mscorlib.dll)

구문

‘선언
<SerializableAttribute> _
<ComVisibleAttribute(True)> _
Public MustInherit Class MulticastDelegate
    Inherits Delegate
‘사용 방법
Dim instance As MulticastDelegate
[SerializableAttribute] 
[ComVisibleAttribute(true)] 
public abstract class MulticastDelegate : Delegate
[SerializableAttribute] 
[ComVisibleAttribute(true)] 
public ref class MulticastDelegate abstract : public Delegate
/** @attribute SerializableAttribute() */ 
/** @attribute ComVisibleAttribute(true) */ 
public abstract class MulticastDelegate extends Delegate
SerializableAttribute 
ComVisibleAttribute(true) 
public abstract class MulticastDelegate extends Delegate

설명

MulticastDelegate는 특수 클래스입니다. 이 클래스에서 컴파일러 및 다른 도구가 파생될 수 있지만, 사용자가 이 클래스에서 명시적으로 파생시킬 수는 없습니다. 이것은 Delegate 클래스의 경우에도 마찬가지입니다.

MulticastDelegate에는 하나 이상의 요소로 구성된 대리자의 연결된 목록이 들어 있으며 이 목록을 호출 목록이라고 합니다. 멀티캐스트 대리자가 호출되면, 호출 목록의 대리자는 표시된 순서대로 동기적으로 호출됩니다. 실행 도중 오류가 발생하면 예외가 throw됩니다.

예제

다음 예제에서는 MulticastDelegate에서 파생된 클래스의 사용 방법에 대해 보여 줍니다.

Imports System
Imports Microsoft.VisualBasic

' This class contains strings. It has a member method that
' accepts a multicast delegate as a parameter and calls it

Class HoldsStrings

    ' The following line causes the compiler to generate
    ' a new delegate class named CheckAndPrintDelegate that
    ' inherits from System.MulticastDelegate.
    Delegate Sub CheckAndPrintDelegate(ByVal str As String)

    ' An ArrayList that holds strings
    Private myStringArray As New System.Collections.ArrayList()

    Public Sub addstring(ByVal str As String)
        myStringArray.Add(str)
    End Sub 'addstring

    ' Iterate through the strings and invoke the method(s) that the delegate points to
    Public Sub PrintAllQualified(ByVal myDelegate As CheckAndPrintDelegate)
        Dim str As String
        For Each str In myStringArray
            myDelegate(str)
        Next str
    End Sub 'PrintAllQualified

End Class     'end of class HoldsStrings

' This class contains a few sample methods
Class StringFuncs
    ' This method prints a string that it is passed if the string starts with a vowel
    Public Shared Sub ConStart(ByVal str As String)
        If Not (str.Chars(0) = "a"c Or str.Chars(0) = "e"c Or str.Chars(0) = "i"c Or str.Chars(0) = "o"c Or str.Chars(0) = "u"c) Then
            Console.WriteLine(str)
        End If
    End Sub 'ConStart

    ' This method prints a string that it is passed if the string starts with a consonant
    Public Shared Sub VowelStart(ByVal str As String)
        If (str.Chars(0) = "a"c Or str.Chars(0) = "e"c Or str.Chars(0) = "i"c Or str.Chars(0) = "o"c Or str.Chars(0) = "u"c) Then
            Console.WriteLine(str)
        End If
    End Sub 'VowelStart
End Class 'StringFuncs

' This class demonstrates using Delegates, including using the Remove and
' Combine methods to create and modify delegate combinations.
Class Test

    Public Shared Sub Main()
        ' Declare the HoldsStrings class and add some strings
        Dim myHoldsStrings As New HoldsStrings()
        myHoldsStrings.addstring("this")
        myHoldsStrings.addstring("is")
        myHoldsStrings.addstring("a")
        myHoldsStrings.addstring("multicast")
        myHoldsStrings.addstring("delegate")
        myHoldsStrings.addstring("example")

        ' Create two delegates individually using different methods
        Dim ConStartDel = New HoldsStrings.CheckAndPrintDelegate(AddressOf StringFuncs.ConStart)

        Dim VowStartDel As New HoldsStrings.CheckAndPrintDelegate(AddressOf StringFuncs.VowelStart)

        ' Demonstrate that MulticastDelegates may store only one delegate
        Dim DelegateList() As [Delegate]

        ' Returns an array of all delegates stored in the linked list of the
        ' MulticastDelegate. In these cases the lists will hold only one (Multicast) delegate
        DelegateList = ConStartDel.GetInvocationList()
        Console.WriteLine("ConStartDel contains " + DelegateList.Length.ToString() + " delegate(s).")

        DelegateList = VowStartDel.GetInvocationList()
        Console.WriteLine(("ConStartVow contains " + DelegateList.Length.ToString() + " delegate(s)."))

        ' Determine whether the delegates are System.Multicast delegates
        If TypeOf ConStartDel Is System.MulticastDelegate And TypeOf VowStartDel Is System.MulticastDelegate Then
            Console.WriteLine("ConStartDel and ConStartVow are System.MulticastDelegates")
        End If

        ' Run the two single delegates one after the other
        Console.WriteLine("Running ConStartDel delegate:")
        myHoldsStrings.PrintAllQualified(ConStartDel)
        Console.WriteLine("Running VowStartDel delegate:")
        myHoldsStrings.PrintAllQualified(VowStartDel)

        ' Create a new, empty MulticastDelegate
        Dim MultiDel As HoldsStrings.CheckAndPrintDelegate

        ' Delegate.Combine receives an unspecified number of MulticastDelegates as parameters
        MultiDel = CType([Delegate].Combine(ConStartDel, VowStartDel), HoldsStrings.CheckAndPrintDelegate)

        ' How many delegates is this delegate holding?
        DelegateList = MultiDel.GetInvocationList()
        Console.WriteLine((ControlChars.Cr + "MulitDel contains " + DelegateList.Length.ToString() + " delegates."))

        ' What happens when this mulitcast delegate is passed to PrintAllQualified
        Console.WriteLine("Running the multiple delegate that combined the first two")
        myHoldsStrings.PrintAllQualified(MultiDel)

        ' The Remove and Combine methods modify the multiple delegate
        MultiDel = CType([Delegate].Remove(MultiDel, VowStartDel), HoldsStrings.CheckAndPrintDelegate)
        MultiDel = CType([Delegate].Combine(MultiDel, ConStartDel), HoldsStrings.CheckAndPrintDelegate)

        ' Finally, pass the combined delegates to PrintAllQualified again
        Console.WriteLine(ControlChars.Cr + "Running the multiple delegate that contains two copies of ConStartDel:")
        myHoldsStrings.PrintAllQualified(MultiDel)

        Return
    End Sub 'end of main
End Class 'end of Test
using System;

    // This class contains strings. It has a member method that
    // accepts a multicast delegate as a parameter and calls it.

    class HoldsStrings
    {
        // The following line causes the compiler to generate
        // a new delegate class named CheckAndPrintDelegate that
        // inherits from System.MulticastDelegate.
        public delegate void CheckAndPrintDelegate(string str);

        // An ArrayList that holds strings
        private System.Collections.ArrayList myStringArray = new System.Collections.ArrayList();

        // A method that adds more strings to the Collection
        public void addstring( string str) {
            myStringArray.Add(str);
        }

        // Iterate through the strings and invoke the method(s) that the delegate points to
        public void PrintAllQualified(CheckAndPrintDelegate myDelegate) {
            foreach (string str in myStringArray) {
                myDelegate(str);
            }
        }
    }   //end of class HoldsStrings

    // This class contains a few sample methods
    class StringFuncs
    {
        // This method prints a string that it is passed if the string starts with a vowel
        public static void ConStart(string str) {
            if (!(str[0]=='a'||str[0]=='e'||str[0]=='i'||str[0]=='o'||str[0]=='u'))
                Console.WriteLine(str);
        }

        // This method prints a string that it is passed if the string starts with a consonant
        public static void VowelStart(string str) {
            if ((str[0]=='a'||str[0]=='e'||str[0]=='i'||str[0]=='o'||str[0]=='u'))
                Console.WriteLine(str);
        }
    }

    // This class demonstrates using Delegates, including using the Remove and
    // Combine methods to create and modify delegate combinations.
    class Test
    {
        static public void Main()
        {
            // Declare the HoldsStrings class and add some strings
            HoldsStrings myHoldsStrings = new HoldsStrings();
            myHoldsStrings.addstring("This");
            myHoldsStrings.addstring("is");
            myHoldsStrings.addstring("a");
            myHoldsStrings.addstring("multicast");
            myHoldsStrings.addstring("delegate");
            myHoldsStrings.addstring("example");

            // Create two delegates individually using different methods
            HoldsStrings.CheckAndPrintDelegate ConStartDel =
                new HoldsStrings.CheckAndPrintDelegate(StringFuncs.ConStart);
            HoldsStrings.CheckAndPrintDelegate VowStartDel =
                new HoldsStrings.CheckAndPrintDelegate(StringFuncs.VowelStart);

            // Demonstrate that MulticastDelegates may store only one delegate
            Delegate [] DelegateList;

            // Returns an array of all delegates stored in the linked list of the
            // MulticastDelegate. In these cases the lists will hold only one (Multicast) delegate
            DelegateList = ConStartDel.GetInvocationList();
            Console.WriteLine("ConStartDel contains " + DelegateList.Length + " delegate(s).");
            DelegateList = VowStartDel.GetInvocationList();
            Console.WriteLine("ConStartVow contains " + DelegateList.Length + " delegate(s).");

            // Determine whether the delegates are System.Multicast delegates
            // if (ConStartDel is System.MulticastDelegate && VowStartDel is System.MulticastDelegate) {
                Console.WriteLine("ConStartDel and ConStartVow are System.MulticastDelegates");
            // }

            // Run the two single delegates one after the other
            Console.WriteLine("Running ConStartDel delegate:");
            myHoldsStrings.PrintAllQualified(ConStartDel);
            Console.WriteLine("Running VowStartDel delegate:");
            myHoldsStrings.PrintAllQualified(VowStartDel);

            // Create a new, empty MulticastDelegate
            HoldsStrings.CheckAndPrintDelegate MultiDel;

            // Delegate.Combine receives an unspecified number of MulticastDelegates as parameters
            MultiDel = (HoldsStrings.CheckAndPrintDelegate) Delegate.Combine(ConStartDel, VowStartDel);

            // How many delegates is this delegate holding?
            DelegateList = MultiDel.GetInvocationList();
            Console.WriteLine("\nMulitDel contains " + DelegateList.Length + " delegates.");

            // What happens when this mulitcast delegate is passed to PrintAllQualified
            Console.WriteLine("Running the multiple delegate that combined the first two");
            myHoldsStrings.PrintAllQualified(MultiDel);

            // The Remove and Combine methods modify the multiple delegate
            MultiDel = (HoldsStrings.CheckAndPrintDelegate) Delegate.Remove(MultiDel, VowStartDel);
            MultiDel = (HoldsStrings.CheckAndPrintDelegate) Delegate.Combine(MultiDel, ConStartDel);

            // Finally, pass the combined delegates to PrintAllQualified again
            Console.WriteLine("\nRunning the multiple delegate that contains two copies of ConStartDel:");
            myHoldsStrings.PrintAllQualified(MultiDel);

            return;
        }   //end of main
    }   //end of Test
using namespace System;

// This class contains strings. It has a member method that
// accepts a multicast delegate as a parameter and calls it.
ref class HoldsStrings
{
public:
   // The following line causes the compiler to generate
   // a new delegate class named CheckAndPrintDelegate that
   // inherits from System.MulticastDelegate.
   delegate void CheckAndPrintDelegate( String^ str );

private:

   // An ArrayList that holds strings
   System::Collections::ArrayList^ myStringArray;

public:
   HoldsStrings()
   {
      myStringArray = gcnew System::Collections::ArrayList;
   }

   // A method that adds more strings to the Collection
   void addstring( String^ str )
   {
      myStringArray->Add( str );
   }


   // Iterate through the strings and invoke the method(s) that the delegate points to
   void PrintAllQualified( CheckAndPrintDelegate^ myDelegate )
   {
      System::Collections::IEnumerator^ myEnum = myStringArray->GetEnumerator();
      while ( myEnum->MoveNext() )
      {
         String^ str = safe_cast<String^>(myEnum->Current);
         myDelegate( str );
      }
   }

};

//end of class HoldsStrings
// This class contains a few sample methods
ref class StringFuncs
{
public:

   // This method prints a String* that it is passed if the String* starts with a vowel
   static void ConStart( String^ str )
   {
      if (  !(str[ 0 ] == 'a' || str[ 0 ] == 'e' || str[ 0 ] == 'i' || str[ 0 ] == 'o' || str[ 0 ] == 'u') )
            Console::WriteLine( str );
   }

   // This method prints a String* that it is passed if the String* starts with a consonant
   static void VowelStart( String^ str )
   {
      if ( (str[ 0 ] == 'a' || str[ 0 ] == 'e' || str[ 0 ] == 'i' || str[ 0 ] == 'o' || str[ 0 ] == 'u') )
            Console::WriteLine( str );
   }
};

// This function demonstrates using Delegates, including using the Remove and
// Combine methods to create and modify delegate combinations.
int main()
{
   // Declare the HoldsStrings class and add some strings
   HoldsStrings^ myHoldsStrings = gcnew HoldsStrings;
   myHoldsStrings->addstring( "This" );
   myHoldsStrings->addstring( "is" );
   myHoldsStrings->addstring( "a" );
   myHoldsStrings->addstring( "multicast" );
   myHoldsStrings->addstring( "delegate" );
   myHoldsStrings->addstring( "example" );

   // Create two delegates individually using different methods
   HoldsStrings::CheckAndPrintDelegate^ ConStartDel = gcnew HoldsStrings::CheckAndPrintDelegate( StringFuncs::ConStart );
   HoldsStrings::CheckAndPrintDelegate^ VowStartDel = gcnew HoldsStrings::CheckAndPrintDelegate( StringFuncs::VowelStart );

   // Demonstrate that MulticastDelegates may store only one delegate
   array<Delegate^>^DelegateList;

   // Returns an array of all delegates stored in the linked list of the
   // MulticastDelegate. In these cases the lists will hold only one (Multicast) delegate
   DelegateList = ConStartDel->GetInvocationList();
   Console::WriteLine( "ConStartDel contains {0} delegate(s).", DelegateList->Length );
   DelegateList = VowStartDel->GetInvocationList();
   Console::WriteLine( "ConStartVow contains {0} delegate(s).", DelegateList->Length );

   // Determine whether the delegates are System::Multicast delegates
   if ( dynamic_cast<System::MulticastDelegate^>(ConStartDel) && dynamic_cast<System::MulticastDelegate^>(VowStartDel) )
   {
      Console::WriteLine( "ConStartDel and ConStartVow are System::MulticastDelegates" );
   }

   // Run the two single delegates one after the other
   Console::WriteLine( "Running ConStartDel delegate:" );
   myHoldsStrings->PrintAllQualified( ConStartDel );
   Console::WriteLine( "Running VowStartDel delegate:" );
   myHoldsStrings->PrintAllQualified( VowStartDel );

   // Create a new, empty MulticastDelegate
   HoldsStrings::CheckAndPrintDelegate^ MultiDel;

   // Delegate::Combine receives an unspecified number of MulticastDelegates as parameters
   MultiDel = dynamic_cast<HoldsStrings::CheckAndPrintDelegate^>(Delegate::Combine( ConStartDel, VowStartDel ));

   // How many delegates is this delegate holding?
   DelegateList = MultiDel->GetInvocationList();
   Console::WriteLine( "\nMulitDel contains {0} delegates.", DelegateList->Length );

   // What happens when this mulitcast delegate is passed to PrintAllQualified
   Console::WriteLine( "Running the multiple delegate that combined the first two" );
   myHoldsStrings->PrintAllQualified( MultiDel );

   // The Remove and Combine methods modify the multiple delegate
   MultiDel = dynamic_cast<HoldsStrings::CheckAndPrintDelegate^>(Delegate::Remove( MultiDel, VowStartDel ));
   MultiDel = dynamic_cast<HoldsStrings::CheckAndPrintDelegate^>(Delegate::Combine( MultiDel, ConStartDel ));

   // Finally, pass the combined delegates to PrintAllQualified again
   Console::WriteLine( "\nRunning the multiple delegate that contains two copies of ConStartDel:" );
   myHoldsStrings->PrintAllQualified( MultiDel );
} //end of main
import System.*;

// This class contains strings. It has a member method that
// accepts a multicast delegate as a parameter and calls it.

class HoldsStrings
{
    /** @delegate
     */

    // This delegate is declared as a void, so the compiler automatically
    // generates a new class, named CheckAndPrintDelegate, that inherits from
    // System.MulticastDelegate.
    public delegate void CheckAndPrintDelegate(String str);

    // An ArrayList that holds strings
    private System.Collections.ArrayList myStringArray =
        new System.Collections.ArrayList();

    // A method that adds more strings to the Collection
    public void addstring(String str)
    {
        myStringArray.Add(str);
    } //addstring

    // Iterate through the strings and invoke the method(s) that the delegate
    // points to
    public void PrintAllQualified(CheckAndPrintDelegate myDelegate)
    {
        for (int iCtr1 = 0; iCtr1 < myStringArray.get_Count(); iCtr1++) {
            String str = System.Convert.ToString(myStringArray.get_Item(iCtr1));
            myDelegate.Invoke(str);
        }
    } //PrintAllQualified
} //HoldsStrings
//end of class HoldsStrings

// This class contains a few sample methods
class StringFuncs
{
    // This method prints a string that it is passed if the string starts 
    // with a vowel
    public static void ConStart(String str)
    {
        if (!(str.get_Chars(0) == 'a' || str.get_Chars(0) == 'e'
            || str.get_Chars(0) == 'i' || str.get_Chars(0) == 'o'
            || str.get_Chars(0) == 'u')) {
            Console.WriteLine(str);
        }
    } //ConStart

    // This method prints a string that it is passed if the string starts with
    // a consonant
    public static void VowelStart(String str)
    {
        if (str.get_Chars(0) == 'a' || str.get_Chars(0) == 'e'
            || str.get_Chars(0) == 'i' || str.get_Chars(0) == 'o'
            || str.get_Chars(0) == 'u') {
            Console.WriteLine(str);
        }
    } //VowelStart
} //StringFuncs

// This class demonstrates using Delegates, including using the Remove and
// Combine methods to create and modify delegate combinations.
class Test
{
    public static void main(String[] args)
    {
        // Declare the HoldsStrings class and add some strings
        HoldsStrings myHoldsStrings = new HoldsStrings();
        myHoldsStrings.addstring("This");
        myHoldsStrings.addstring("is");
        myHoldsStrings.addstring("a");
        myHoldsStrings.addstring("multicast");
        myHoldsStrings.addstring("delegate");
        myHoldsStrings.addstring("example");
        // Create two delegates individually using different methods
        HoldsStrings.CheckAndPrintDelegate ConStartDel = 
            new HoldsStrings.CheckAndPrintDelegate(StringFuncs.ConStart);
        HoldsStrings.CheckAndPrintDelegate VowStartDel = 
            new HoldsStrings.CheckAndPrintDelegate(StringFuncs.VowelStart);
        // Demonstrate that MulticastDelegates may store only one delegate
        Delegate DelegateList[];
        // Returns an array of all delegates stored in the linked list of the
        // MulticastDelegate. In these cases the lists will hold only one 
        // (Multicast) delegate
        DelegateList = ConStartDel.GetInvocationList();
        Console.WriteLine("ConStartDel contains " + DelegateList.get_Length() 
            + " delegate(s).");
        DelegateList = VowStartDel.GetInvocationList();
        Console.WriteLine("ConStartVow contains " + DelegateList.get_Length() 
            + " delegate(s).");
        // Determine whether the delegates are System.Multicast delegates
        // if (ConStartDel is System.MulticastDelegate && VowStartDel is 
        // System.MulticastDelegate) {
        Console.WriteLine("ConStartDel and ConStartVow are " 
            + "System.MulticastDelegates");
        // }
        // Run the two single delegates one after the other
        Console.WriteLine("Running ConStartDel delegate:");
        myHoldsStrings.PrintAllQualified(ConStartDel);
        Console.WriteLine("Running VowStartDel delegate:");
        myHoldsStrings.PrintAllQualified(VowStartDel);
        // Create a new, empty MulticastDelegate
        HoldsStrings.CheckAndPrintDelegate multiDel;
        // Delegate.Combine receives an unspecified number of MulticastDelegates
        // as parameters
        multiDel = (HoldsStrings.CheckAndPrintDelegate)(Delegate.Combine(
            ConStartDel, VowStartDel));
        // How many delegates is this delegate holding?
        DelegateList = multiDel.GetInvocationList();
        Console.WriteLine("\nMulitDel contains " + DelegateList.get_Length() 
            + " delegates.");
        // What happens when this mulitcast delegate is passed to 
        // PrintAllQualified
        Console.WriteLine("Running the multiple delegate that combined the "
            + "first two");
        myHoldsStrings.PrintAllQualified(multiDel);
        // The Remove and Combine methods modify the multiple delegate
        multiDel = (HoldsStrings.CheckAndPrintDelegate)(Delegate.Remove(
            multiDel, VowStartDel));
        multiDel = (HoldsStrings.CheckAndPrintDelegate)(Delegate.Combine(
            multiDel, ConStartDel));
        // Finally, pass the combined delegates to PrintAllQualified again
        Console.WriteLine("\nRunning the multiple delegate that contains two " 
            + "copies of ConStartDel:");
        myHoldsStrings.PrintAllQualified(multiDel);
        return;
    } //main 
} //Test 

상속 계층 구조

System.Object
   System.Delegate
    System.MulticastDelegate
       파생 클래스

스레드로부터의 안전성

이 형식의 모든 public static(Visual Basic의 경우 Shared) 멤버는 스레드로부터 안전합니다. 인터페이스 멤버는 스레드로부터 안전하지 않습니다.

플랫폼

Windows 98, Windows 2000 SP4, Windows CE, Windows Millennium Edition, Windows Mobile for Pocket PC, Windows Mobile for Smartphone, Windows Server 2003, Windows XP Media Center Edition, Windows XP Professional x64 Edition, Windows XP SP2, Windows XP Starter Edition

.NET Framework에서 모든 플래폼의 모든 버전을 지원하지는 않습니다. 지원되는 버전의 목록은 시스템 요구 사항을 참조하십시오.

버전 정보

.NET Framework

2.0, 1.1, 1.0에서 지원

.NET Compact Framework

2.0, 1.0에서 지원

참고 항목

참조

MulticastDelegate 멤버
System 네임스페이스