Dart Typedef


typedef或函式型別別名有助於定義指向記憶體中可執行程式碼的指標。簡單地說,typedef可以用作參照函式的指標。
下面給出了在Dart程式中實現typedef的步驟。

第1步:定義typedef

typedef可用於指定希望特定函式匹配的函式簽名。函式簽名由函式的引數(包括其型別)定義。返回型別不是函式簽名的一部分。語法如下 -

typedef function_name(parameters)

第2步:將函式分配給typedef變數

typedef的變數可以指向與typedef具有相同簽名的函式。可以使用以下簽名將函式分配給typedef變數。

type_def  var_name = function_name

第3步:呼叫函式

typedef變數可用於呼叫函式。以下是呼叫函式的方法 -

var_name(parameters)

範例

下面我們來一個例子,以了解Dart中關於typedef的更多資訊。

在範例中,首先定義一個typedef,定義的是一個函式簽名。該函式將採用整數型別的兩個輸入引數。返回型別不是函式簽名的一部分。

typedef ManyOperation(int firstNo , int secondNo); //function signature

接下來定義函式。使用與ManyOperation typedef相同的函式簽名定義一些函式。

Add(int firstNo,int second){ 
   print("Add result is ${firstNo+second}"); 
}  
Subtract(int firstNo,int second){ 
   print("Subtract result is ${firstNo-second}"); 
}  
Divide(int firstNo,int second){ 
   print("Add result is ${firstNo/second}"); 
}

最後通過typedef呼叫該函式。宣告ManyOperations型別的變數。將函式名稱分配給宣告的變數。

ManyOperation oper ;  

//can point to any method of same signature 
oper = Add; 
oper(10,20); 
oper = Subtract; 
oper(30,20); 
oper = Divide; 
oper(50,5);

oper變數可以指向任何採用兩個整數引數的方法。Add函式的參照賦給變數。typedef可以在執行時切換函式參照。

下面將所有部分放在一起,看看完整的程式。

typedef ManyOperation(int firstNo , int secondNo); 
//function signature  

Add(int firstNo,int second){ 
   print("Add result is ${firstNo+second}"); 
} 
Subtract(int firstNo,int second){ 
   print("Subtract result is ${firstNo-second}"); 
}
Divide(int firstNo,int second){ 
   print("Divide result is ${firstNo/second}"); 
}  
Calculator(int a, int b, ManyOperation oper){ 
   print("Inside calculator"); 
   oper(a,b); 
}  
void main(){ 
   ManyOperation oper = Add; 
   oper(10,20); 
   oper = Subtract; 
   oper(30,20); 
   oper = Divide; 
   oper(50,5); 
}

執行上面範例程式碼,得到以下結果 -

Add result is 30 
Subtract result is 10 
Divide result is 10.0

註 - 如果typedef變數嘗試指向具有不同函式簽名的函式,則上述程式碼將導致錯誤。

範例

typedef也可以作為引數傳遞給函式。閱讀以下範例程式碼 -

typedef ManyOperation(int firstNo , int secondNo);   //function signature 
Add(int firstNo,int second){ 
   print("Add result is ${firstNo+second}"); 
}  
Subtract(int firstNo,int second){
   print("Subtract result is ${firstNo-second}"); 
}  
Divide(int firstNo,int second){ 
   print("Divide result is ${firstNo/second}"); 
}  
Calculator(int a,int b ,ManyOperation oper){ 
   print("Inside calculator"); 
   oper(a,b); 
}  
main(){ 
   Calculator(5,5,Add); 
   Calculator(5,5,Subtract); 
   Calculator(5,5,Divide); 
}

執行上面範例程式碼,得到以下結果 -

Inside calculator 
Add result is 10 
Inside calculator 
Subtract result is 0 
Inside calculator 
Divide result is 1.0