C语言中字符串变量的函数值传递与指针传递

以前学函数值传递和引用传递的时候用的例子是整型变量,在这篇文章中详细说明了值传递和引用传递。

但是如果是字符串变量,今天又有点迷糊了!

先说总结: 要想用指针传递通过函数改变主函数中字符串指针变量的值,必须使用char**的二级指针!

先举个例子(错误示范)

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void func(char* dst)
{
        char* buf = (char*)malloc(20);
        memset(buf, 0, 20);
        strcpy(buf, "hello world!");
        dst = buf;
        //puts(dst);
}

int main()
{
        char* s = “123456”;
        func(s);
        puts(s);
        return 0;
}
/*
本来想通过func函数改变s的值,结果并没有改变,还是输出123456
*/

因为以前值传递和指针传递时用的例子是整型变量,指针传递时用一级指针就可以通过函数改变主函数中的变量的值;

换成字符串变量,乍一看也是一级指针,

但是你要明白: 字符串指针的定义是什么? char*  s;  char*本来就仅仅是一个字符串指针变量的类型! s存的是一个字符串的首地址值,所以你要通过函数改变字符串指针变量的值,就得用char**二级指针!

正确的姿势是:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
void func(char** dst)
{
        char* buf = (char*)malloc(20);
        memset(buf, 0, 20);
        strcpy(buf, "hello world!");
        *dst = buf;
        //puts(dst);
}

int main()
{
        char* s = "123456";
        func(&s);
        puts(s);
        return 0;
}

这样就输出hello world!啦~

    原文作者:MagnumLu
    原文地址: https://blog.csdn.net/qq_28584889/article/details/93789577
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞