0

我已经很久没有使用过 C 语言了,因此我忘记了很多关于 C 语言是如何工作的令人尴尬的事情。我正在尝试创建一个标头“arrayUtils.h”和一个相应的“arrayUtils.c”,我在其中定义原型函数。然后我试图在第二个 .c 文件中调用这些函数之一

标题内容:

#define _OUT_OF_RANGE_ = NAN

#ifndef INT_ALLOCATE_H
#define INT_ALLOCATE_H
int * allocIntArray(const int size);
#endif

#ifndef INT_ACCESS_H
#define INT_ACCESS_H
int accessIntArray(const int index, const int * array, const bool checked);
#endif

#ifndef INT_FREE_H
#define INT_FREE_H
int freeIntArray(int * array);
#endif

标题来源:

/* Allocates an array of integers equal to length size
 * Args: int size: length of the array
 * Return: Allocated array
 */
int * allocIntArray(const int size){
    /*Assert that size of array is greater than zero*/
    if(size <= 0){
        return(-1);
    }
    else{
        return((int*)malloc(size*sizeof(int)));
    }
}
/* Returns the value of the array 
 * Args: int    index:   position in the array to access
 *       int  * array:   array to access
 *       bool   checked: if the access should be checked or not
 * Returns: integer at position index
 */
int accessIntArray(const int index, const int * array, const bool checked){
    /*unchecked access*/
    if(!checked){
        return(array[index]);
    }
    /*checked access*/
    else{
        if(index <= 0){
            return(_OUT_OF_RANGE_)
        }
        double size = (double)sizeof(array)/(double)sizeof(int)
        if(index => (int)size){
            return(_OUT_OF_RANGE_)
        }
        else{
            return(array[index])
        }
    }
}

/* Frees the allocated array 
 * Args: int * array: the array to free
 * Returns: 0 on successful completion
 */
int freeIntArray(int * array){
    free(array);
    return(0);
}

然后调用第二个源文件:

#include "arrayUtil.h"
int main(){
    int * array = allocIntArray(20);
    return(0);
}

当我编译时:

gcc utilTest.c

我收到此错误:

arrayUtils.h:10:错误:“检查”之前的语法错误

最初我在 accessIntArray 中使用“bool checked”,得到了同样的错误,但使用 bool 而不是选中的。

对不起,如果这不是一个具体的问题,但我在这里很迷茫。

4

2 回答 2

5

bool不是 C 中的标准类型。C99 语言标准为布尔数据类型添加了新类型,以及分别定义、和映射到、和_Bool的头文件。<stdbool.h>booltruefalse_Bool(_Bool)1(_Bool)0

如果您使用 C99 编译器进行编译,请务必#include <stdbool.h>在使用bool关键字之前进行。如果没有,请自行定义,例如:

typedef unsigned char bool;  // or 'int', whichever you prefer
#define true ((bool)1)
#define false ((bool)0)
于 2012-10-10T19:41:24.340 回答
2

C没有'bool',你可能只想使用一个int。或 C++,它确实具有布尔类型。

于 2012-10-10T19:41:00.903 回答