Objective-C 函數引用調用
通過引用方法調用參數傳遞給函數的參數的地址複製到正式的參數。在函數內部,地址用於訪問實際的參數在調用中使用。這意味着參數所做的更改會影響傳遞的參數。
要通過引用值,參數指針傳遞的功能,就像任何其他值。因此,需要聲明以下函數swap(),交換兩個整型變量的值,指出其參數的函數的參數爲指針類型。
/* function definition to swap the values */ - (void)swap:(int *)num1 andNum2:(int *)num2 { int temp; temp = *num1; /* save the value of num1 */ *num1 = *num2; /* put num2 into num1 */ *num2 = temp; /* put temp into num2 */ return; }
要查看更詳細的Objective - C 指針,可以查看「Objective-C 指針「一章。
現在,讓我們調用函數swap() 通過在下面的例子作爲參考值:
#import <Foundation/Foundation.h> @interface SampleClass:NSObject /* method declaration */ - (void)swap:(int *)num1 andNum2:(int *)num2; @end @implementation SampleClass - (void)swap:(int *)num1 andNum2:(int *)num2 { int temp; temp = *num1; /* save the value of num1 */ *num1 = *num2; /* put num2 into num1 */ *num2 = temp; /* put temp into num2 */ return; } @end int main () { /* local variable definition */ int a = 100; int b = 200; SampleClass *sampleClass = [[SampleClass alloc]init]; NSLog(@"Before swap, value of a : %d
", a ); NSLog(@"Before swap, value of b : %d
", b ); /* calling a function to swap the values */ [sampleClass swap:&a andNum2:&b]; NSLog(@"After swap, value of a : %d
", a ); NSLog(@"After swap, value of b : %d
", b ); return 0; }
讓我們編譯並執行它,它會產生以下結果:
2013-09-09 12:27:17.716 demo[6721] Before swap, value of a : 100
2013-09-09 12:27:17.716 demo[6721] Before swap, value of b : 200
2013-09-09 12:27:17.716 demo[6721] After swap, value of a : 200
2013-09-09 12:27:17.716 demo[6721] After swap, value of b : 100
這表明變化反映的函數之外,也不像調用值的變化並不能反映函數之外。