Objective-C 引用调用函数

将参数传递给函数的 引用调用 方法将参数的地址复制到形式参数中。在函数内部,地址用于访问调用中使用的实际参数。这意味着对参数所做的更改会影响传递的参数。

为了通过引用传递值,参数指针与任何其他值一样传递给函数。因此,您需要将函数参数声明为指针类型,如下面的函数 swap() 中所述,该函数交换其参数指向的两个整数变量的值。

  1. /* 定义一个交换值的函数 */
  2. - (void)swap:(int *)num1 andNum2:(int *)num2 {
  3. int temp;
  4. temp = *num1; /* 保存 num1 的值到 temp */
  5. *num1 = *num2; /* 将 num2 赋值给 num1 */
  6. *num2 = temp; /* 把 temp 赋值给 num2 */
  7. return;
  8. }

要查看有关 Objective-C 指针的更多详细信息,可以查看 Objective-C 指针 一章。

现在,让我们通过如下实例中的引用传递值来调用函数 swap()

  1. #import <Foundation/Foundation.h>
  2. @interface SampleClass:NSObject
  3. /* method declaration */
  4. - (void)swap:(int *)num1 andNum2:(int *)num2;
  5. @end
  6. @implementation SampleClass
  7. - (void)swap:(int *)num1 andNum2:(int *)num2 {
  8. int temp;
  9. temp = *num1;
  10. *num1 = *num2;
  11. *num2 = temp;
  12. return;
  13. }
  14. @end
  15. int main () {
  16. /* local variable definition */
  17. int a = 100;
  18. int b = 200;
  19. SampleClass *sampleClass = [[SampleClass alloc]init];
  20. NSLog(@"Before swap, value of a : %d\n", a );
  21. NSLog(@"Before swap, value of b : %d\n", b );
  22. /* calling a function to swap the values */
  23. [sampleClass swap:&a andNum2:&b];
  24. NSLog(@"After swap, value of a : %d\n", a );
  25. NSLog(@"After swap, value of b : %d\n", b );
  26. return 0;
  27. }

结果如下:

  1. 2022-07-09 12:27:17.716 demo[6721] Before swap, value of a : 100
  2. 2022-07-09 12:27:17.716 demo[6721] Before swap, value of b : 200
  3. 2022-07-09 12:27:17.716 demo[6721] After swap, value of a : 200
  4. 2022-07-09 12:27:17.716 demo[6721] After swap, value of b : 100

这表明,更改也反映在函数外部,不同于按值调用,其中更改不会反映在函数外部。

分类导航