我的职能拒绝存在

时间:2012-02-21 00:34:07

标签: c unix

每当我尝试运行我的测试文件时,都会收到此错误:

/tmp/ccCazDOe.o: In function `main':
/home/cs136/cs136Assignments/a06/testing.c:8: undefined reference to `icopy'
collect2: ld returned 1 exit status

代码用于在C中实现列表结构。像icons_destroy和irest_destroy这样的函数意味着破坏性函数。

当我尝试使用我的ilength功能时会发生同样的事情。

我试图重写我的函数,重命名函数,在标题中多次定义它们,制作一个新的测试文件。我似乎无法找出问题所在。它似乎工作时,我决定创建一个名为ilength的函数,只返回一个数字,所以我认为这可能是函数工作方式的问题。

这里有任何帮助吗?

我的测试文件的代码:

#include <stdio.h>
#include "ilist_destructive.h"

int main(void){
ilist x = iempty();
x = icons_destroy(1, x);
x = icons_destroy(2, x);
ilist y = icopy(x);
idelete(y);
idelete(x);
}

我的标题文件:

// Destructive Abstract data type ilist

struct ilist_ADT;
typedef struct ilist_ADT *ilist;
ilist iempty();
int iempty_huh(ilist il);
int ifirst(ilist il);
ilist icons_destroy(int in, ilist il);
ilist irest_destroy(ilist il);
ilist icopy(ilist il);
int ilength(ilist il);
void idelete(ilist il);
int ilength(ilist il);
ilist icopy(ilist il);

我的.c文件:

#include "ilist_destructive.h"
#include <stdlib.h>

// The ilist ADT is a pointer to this secret struct
struct ilist_ADT{
    struct ilist_ADT *rest;
    int first;    
};

ilist icons_destroy(int in, ilist il){
   if (il == NULL) {
      ilist anewlist = malloc(sizeof(struct ilist_ADT));
      anewlist->first = in;
      anewlist->rest = NULL;
      return (anewlist);
   } else {
      ilist previous = malloc(sizeof(struct ilist_ADT));
      previous->first = il->first;
      previous->rest = il->rest;
      il->first = in;
      il->rest = previous;
      return il;
   }
}

// ifirst returns the first element of il
int ifirst(ilist il){
   if(il == NULL){
      exit(1);
   }
   return il->first;
}

ilist irest(ilist il){
   if(il == NULL){
      exit(1);
   }
   return il->rest;
}

ilist irest_destroy(ilist il){
   if(il == NULL){
      exit(1);
   }else if(il->rest == NULL){
      free(il);
      return NULL;
   }else{
      ilist original = il->rest;
      il->first = original->first;
      il->rest = original->rest;
      free(original);
      return il;
   }
} 

ilist iempty(){
   return NULL;
}

// test for empty ilist
int iempty_huh(ilist il){
   return il == NULL;
}

// free memory for entire ilist
void idelete(ilist il){
   while (il != NULL) { 
      ilist next = il->rest;
      free(il);
      il = next;
   }

int ilength(ilist il){
   int counter = 0;
   while (iempty_huh(il) != 1){
      counter = counter + 1;
      il = irest(il);
   }
   return counter;
}

ilist icopy(ilist il){
   ilist copy = malloc(sizeof(struct ilist_ADT));
   copy->first = il->first;
   copy->rest = il->rest;
   return copy;
}

}

1 个答案:

答案 0 :(得分:2)

看起来您可能只编译testing.c,而不是ilist_destructive.c。您需要使用以下命令编译它们:

gcc -Wall testing.c ilist_destructive.c -o testing

(它们同时编译和链接它们)或者像这样的一系列命令:

gcc -Wall testing.c -c testing.o
gcc -Wall ilist_destructive.c -c ilist_destructive.o
gcc testing.o ilist_destructive.o -o testing

(将它们中的每一个编译成目标文件,然后将它们链接在一起;这样更灵活,因为如果没有相关的源文件发生变化,你可以放弃前两个步骤中的任何一个)。