我在c中使用了函数指针来创建通用结构。
当我调用特定功能时,参数之一是输出参数。我在特定功能内分配了内存,但是它不起作用。希望有帮助!

typedef void *PhaseDetails;
typedef Result (*Register)(const char *, PhaseDetails *);

Result Func(const char *file, Register register1){
    PhaseDetails firstPhase = NULL;
    Result res = register1(file, &firstPhase);
}

int main() {
    OlympicSport os = Func("men100mList.txt", (Register) registerMen100m);
    return 0;
}

Result registerMen100m(const char *file,
    Men100mPhaseDetails *firstPhase) {
    firstPhase = malloc(sizeof(*firstPhase));
    if (firstPhase == NULL) {
        return OG_MEMORY_ALLOCATION_FAILED;
    }
    *firstPhase = malloc(sizeof(**firstPhase));
    (*firstPhase)->phaseName = malloc(sizeof(char)*12);
    return OG_SUCCESS;
}


问题是firstPhase返回为NULL

最佳答案

问题是您将指向firstPhase(在Func()中定义)的指针传递到firstPhase函数的registerMen100m()参数中,但是,作为函数的第一件事,您用新分配的地址覆盖了它内存块。

之后,firstPhase函数中的Func()的值不能也不能在registerMen100m()中进行更改

Result registerMen100m(const char *file, Men100mPhaseDetails *firstPhase)
{
  /* At this point, firstPhase holds the address of the variable
  ** 'firstPhase' you defined in the 'Func()' function.
  */
  firstPhase = malloc(sizeof(*firstPhase));
  /* And now it doesnt! So you will never be able to get anything back
  */

  if (firstPhase == NULL) {return OG_MEMORY_ALLOCATION_FAILED;}

  /* The result of the following malloc is stored in the memory space you
  ** allocated earlier! If you remove the two lines above you
  ** should most probably get what you wanted.
  */
  *firstPhase = malloc(sizeof(**firstPhase));
  (*firstPhase)->phaseName = malloc(sizeof(char)*12);
  return OG_SUCCESS;
}


通常,只有在各处都表示相同的含义时,使用相同的名称才有意义。在这里,您在两个不同的函数中具有两个不同含义的firstPhase,这使得难以推断正在发生的事情。
同样,将函数作为参数传递是您很少需要的东西。用这种方式构造程序是否有任何特定原因?

关于c - 在c中传递并分配指向void *的指针,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39179472/

10-11 19:12