F # - delegaci
Delegat to zmienna typu referencyjnego, która przechowuje odwołanie do metody. Odniesienie można zmienić w czasie wykonywania. Delegaci F # są podobne do wskaźników do funkcji w C lub C ++.
Deklarowanie delegatów
Deklaracja delegata określa metody, do których może odwoływać się delegat. Delegat może odwoływać się do metody, która ma taki sam podpis, jak podpis delegata.
Składnia deklaracji delegata to -
type delegate-typename = delegate of type1 -> type2
Na przykład rozważmy delegatów -
// Delegate1 works with tuple arguments.
type Delegate1 = delegate of (int * int) -> int
// Delegate2 works with curried arguments.
type Delegate2 = delegate of int * int -> int
Oba delegatów mogą służyć do odwoływania się do dowolnej metody, która ma dwa parametry int i zwraca zmienną typu int .
W składni -
type1 reprezentuje typ (y) argumentów.
type2 reprezentuje zwracany typ.
Uwaga -
Typy argumentów są automatycznie curry.
Delegatów można dołączać do wartości funkcji i metod statycznych lub instancji.
Wartości funkcji F # można przekazywać bezpośrednio jako argumenty do konstruktorów delegatów.
W przypadku metody statycznej delegat jest wywoływany przy użyciu nazwy klasy i metody. W przypadku metody instancji używana jest nazwa instancji obiektu i metody.
Metoda Invoke dla typu delegata wywołuje hermetyzowaną funkcję.
Ponadto delegatów można przekazywać jako wartości funkcji, odwołując się do nazwy metody Invoke bez nawiasów.
Poniższy przykład ilustruje koncepcję -
Przykład
type Myclass() =
static member add(a : int, b : int) =
a + b
static member sub (a : int) (b : int) =
a - b
member x.Add(a : int, b : int) =
a + b
member x.Sub(a : int) (b : int) =
a - b
// Delegate1 works with tuple arguments.
type Delegate1 = delegate of (int * int) -> int
// Delegate2 works with curried arguments.
type Delegate2 = delegate of int * int -> int
let InvokeDelegate1 (dlg : Delegate1) (a : int) (b: int) =
dlg.Invoke(a, b)
let InvokeDelegate2 (dlg : Delegate2) (a : int) (b: int) =
dlg.Invoke(a, b)
// For static methods, use the class name, the dot operator, and the
// name of the static method.
let del1 : Delegate1 = new Delegate1( Myclass.add )
let del2 : Delegate2 = new Delegate2( Myclass.sub )
let mc = Myclass()
// For instance methods, use the instance value name, the dot operator,
// and the instance method name.
let del3 : Delegate1 = new Delegate1( mc.Add )
let del4 : Delegate2 = new Delegate2( mc.Sub )
for (a, b) in [ (400, 200); (100, 45) ] do
printfn "%d + %d = %d" a b (InvokeDelegate1 del1 a b)
printfn "%d - %d = %d" a b (InvokeDelegate2 del2 a b)
printfn "%d + %d = %d" a b (InvokeDelegate1 del3 a b)
printfn "%d - %d = %d" a b (InvokeDelegate2 del4 a b)
Kiedy kompilujesz i wykonujesz program, daje to następujące dane wyjściowe -
400 + 200 = 600
400 - 200 = 200
400 + 200 = 600
400 - 200 = 200
100 + 45 = 145
100 - 45 = 55
100 + 45 = 145
100 - 45 = 55