Objective-C教學
Objective-C 教學首頁
Objective-C 語言概述
Objective-C 開發環境(安裝配置)
Objective-C語言程序結構
Objective-C 基本語法
Objective-C 數據類型
Objective-C 變量
Objective-C 常量
Objective-C 運算符
Objective-C 算術運算符
Objective-C 關係運算符
Objective-C 邏輯運算符
Objective-C 位運算符
Objective-C 賦值運算符
Objective-C 循環
Objective-C while循環
Objective-C for循環
Objective-C do...while循環
Objective-C 嵌套循環
Objective-C break語句
Objective-C continue語句
Objective-C 決策
Objective-C if語句
Objective-C if...else 語句
Objective-C 嵌套 if 語句
Objective-C switch語句
Objective-C 嵌套switch語句
Objective-C 函數
Objective-C 函數按值調用
Objective-C 函數引用調用
Objective-C 塊
Objective-C Numbers/數字
Objective-C Arrays/數組
Objective-C 多維數組
Objective-C 數組作爲函數參數傳遞
Objective-C 從函數返回數組
Objective-C 指針的數組
Objective-C 指針
Objective-C 指針運算
Objective-C 數組的指針
Objective-C 指向指針的指針
Objective-C 傳遞函數的指針
Objective-C 函數返回指針
Objective-C NSString/字符串
Objective-C struct/結構
Objective-C 預處理器
Objective-C typedef
Objective-C 類型轉換
Objective-C 日誌處理
Objective-C 錯誤處理
命令行參數
Objective-C 類&對象
Objective-C 繼承
Objective-C 多態性
Objective-C 數據封裝
Objective-C Categories/類別
Objective-C Posing/冒充
Objective-C 擴展
Objective-C Protocols/協議
Objective-C 動態綁定
Objective-C 複合對象
Obj-C Foundation/基礎框架
Objective-C 數據存儲
Objective C 文本和字符串
Objective-C 日期和時間
Objective-C 異常處理
Objective-C 文件處理
Objective-C URL加載系統
Objective-C 快速枚舉
Objective-C 內存管理

Objective-C 函數按值調用

按值傳遞參數給函數的方法調用複製到正式參數的函數參數的實際值。在這種情況下,該函數內的參數所做的更改參數沒有影響。

默認情況下,使用的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; }

現在,讓我們通過在下面的示例中的實際值作爲調用函數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 */ } @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:12:42.011 demo[13488] Before swap, value of a : 100
2013-09-09 12:12:42.011 demo[13488] Before swap, value of b : 200
2013-09-09 12:12:42.011 demo[13488] After swap, value of a : 100
2013-09-09 12:12:42.011 demo[13488] After swap, value of b : 200

這表明,儘管它們均已改變,在函數內部的值中沒有任何改變。