千家信息网

C语言中函数返回值的问题

发表于:2025-01-21 作者:千家信息网编辑
千家信息网最后更新 2025年01月21日,c语言中有关于在函数返回值的问题,在函数中的局部变量主要是在栈上开辟的,出了函数变量就被回收了,针对函数返回值得问题,给出下面几个比较具体的例子来说明:函数返回值是在函数中定义的局部变量这类型的返回值
千家信息网最后更新 2025年01月21日C语言中函数返回值的问题

c语言中有关于在函数返回值的问题,在函数中的局部变量主要是在栈上开辟的,出了函数变量就被回收了,针对函数返回值得问题,给出下面几个比较具体的例子来说明:

  1. 函数返回值是在函数中定义的局部变量

    这类型的返回值在主函数中是可以使用的,因为返回局部变量值得时候,返回的是值得一个副本,而在主函数中我们需要的也只是这个值而已,因此是可以的,例如


  2. int fun(char *arr)

  3. {

  4. int num = 0;

  5. while (*arr != '\0')

  6. {

  7. num = num * 10 + *arr - '0';

  8. arr++;

  9. }

  10. return num;

  11. printf("%d ", num);

  12. }

  13. int main()

  14. {

  15. int tem = 0;

  16. char *arr = "12345";

  17. tem = fun(arr);

  18. printf("%d",tem);

  19. system("pause");

  20. return 0;

  21. }

  22. 2.函数返回的是函数中定义的指针变量

  23. char *fun()

  24. {

  25. char *arr = "1234";

  26. return arr;

  27. }

  28. int main()

  29. {

  30. char *tem = fun();

  31. printf("%s", tem);

  32. system("pause");

  33. return 0;

  34. }

  35. 这在运行过程中也是正确的。

  36. 3.函数不能返回局部变量的地址

  37. int *fun()

  38. {

  39. int a = 10;

  40. return &a;

  41. }

  42. int main()

  43. {

  44. int *tem = fun();

  45. printf("%d", *tem);

  46. system("pause");

  47. return 0;

  48. }

  49. 4.函数也不能返回数组的首地址

  50. int *fun()

  51. {

  52. int arr[] = { 1, 2, 3, 4 };

  53. return arr;

  54. }

  55. int main()

  56. {

  57. int *tem = fun();

  58. system("pause");

  59. return 0;

  60. }

0