通过引用其他函数传递缓冲区

时间:2012-08-07 12:37:05

标签: c function pointers

我想将缓冲区和缓冲区长度的指针传递给其他函数,然后使用此数据进行操作并打印它。但是当我尝试在功能上打印它是不可能的。

这是我的代码的一部分:

  void process(KOCTET**bufferlist,KUINT16*lenlist){
        KOCTET * Buffer,*temp;
        KUINT16 BufferSize=5000;
        KUINT16 WritePos=0;
        KUINT16 total_bytes;
        Buffer=(KOCTET*)malloc(5000*sizeof(KOCTET));

        total_bytes = stream.CopyIntoBuffer( Buffer, BufferSize, WritePos);

        bufferlist=(KOCTET**)malloc(sizeof(KOCTET*));
        bufferlist=&Buffer;
        lenlist=(KUINT16*)malloc(sizeof(KUINT16));
        lenlist=&total_bytes;

           //Print Buffer in Hexadecimal
           int z=0;
           temp=Buffer;
           while (z<total_bytes){
              printf(" %02X",(unsigned char)*temp);
              temp++;
              z++;
           }
           printf("\n");
    }


    void function ()
    {
         KOCTET**bufferlist;
         KUINT16*lenlist;

         process(bufferlist,lenlist);

         //Print Buffer in Hexadecimal
           int z=0;
           temp=*bufferlist;
           while (z<(*lenlist)){
              printf(" %02X",(unsigned char)*temp);
              temp++;
              z++;
           }
           printf("\n");
    }

谢谢,

1 个答案:

答案 0 :(得分:6)

以下几行有几个问题:

bufferlist=(KOCTET**)malloc(sizeof(KOCTET*));
bufferlist=&Buffer;
lenlist=(KUINT16*)malloc(sizeof(KUINT16));
lenlist=&total_bytes;

前两个分配内存,然后用指向局部变量的指针覆盖指针,该函数在函数返回时无效。接下来的两行相同。所以在这四行中你有两个内存泄漏(分配内存然后更改指向那个内存的指针,因此它不再可用)以及当你将指针设置为指向上的位置时导致未定义行为的原因只在函数内有效的堆栈。

要解决这些问题,请更改为以下内容:

*bufferlist = Buffer;
*lenlist = total_bytes;

修改:我还注意到您正在调用此函数:

KOCTET**bufferlist;
KUINT16*lenlist;

process(bufferlist,lenlist);

这应该改为:

KOCTET *bufferlist;
KUINT16 lenlist;

process(&bufferlist, &lenlist);

这将变量声明为指向KOCTETKUINT16的指针。然后将这些变量的地址传递给process,制作它们的指针(即指向KOCTET的指向bufferlist的指针,以及指向KUINT16的指针lenlist)。

现在您不需要在循环中使用lenlist的解除引用:

while (z < lenlist) {
    printf(" %02X", (unsigned char) *temp);
    temp++;
    z++;
}

现在可以将此循环重写为:

for (z = 0; z < lenlist; z++)
    printf(" %02X", (unsigned char) bufferlist[z]);

编辑2:解释指针和指针运算符(我希望)

让我们看看这个示例程序:

#include <stdio.h>

int main()
{
    int a = 5;  /* Declares a variable, and set the value to 5 */

    int *p = &a;  /* Declares a pointer, and makes it point to the location of `a` */
    /* The actual value of `p` is the address of `a` */

    printf("Value of a: %d\n", a);  /* Will print 5 */
    printf("Value of p: %d\n", p);  /* Will print a large number */

    printf("The address of a: %d\n", &a);  /* Prints the same large number as `p` above */
    printf("The contents p: %d\n", *p);  /* Prints 5 */

    return 0;
}

我希望这个简单的程序可以帮助您更多地理解指针,特别是&*运算符之间的区别。