1

我在头文件中有以下代码:

#ifndef BUFFER_H
#define BUFFER_H
#include <stdio.h>
#include <stdlib.h>
#include <string.h>

struct c_buff
{
    void *buffer;     // data buffer
    void *buffer_end; // end of data buffer
    size_t capacity;  // maximum number of items in the buffer
    size_t count;     // number of items in the buffer
    size_t sz;        // size of each item in the buffer
    void *head;       // pointer to head
    void *tail;       // pointer to tail
};

void cb_init(c_buff *cb, size_t capacity, size_t sz)
{
    cb->buffer = malloc(capacity * sz);
    if(cb->buffer == NULL) {
        // handle error
    }
    cb->buffer_end = (char *)cb->buffer + capacity * sz;
    cb->capacity = capacity;
    cb->count = 0;
    cb->sz = sz;
    cb->head = cb->buffer;
    cb->tail = cb->buffer;
}
#endif

以及下面的c文件

#include <avr/io.h>
#include <avr/interrupt.h>
#include <stdio.h>
#include <common.h>
#include <usart.h>
#include <buffer.h>

struct c_buff usart_buffer;
struct c_buff *usart_buffer_ptr;

cb_init(usart_buffer_ptr, USART_BUFFER_SIZE, sizeof(char));

void initUSART(void) {
    SETBIT(UCSR0A, UDRE0);
    //SETBIT(UCSR0A, U2X0);
    SETBIT(UCSR0C, UCSZ01);
    SETBIT(UCSR0C, UCSZ00);

    UBRR0 = 25;

    SETBIT(UCSR0B, RXCIE0);
    SETBIT(UCSR0B, TXCIE0);
    SETBIT(UCSR0B, RXEN0);
    SETBIT(UCSR0B, TXEN0);
}

ISR(USART_RX_vect) {
    char data;
    data = UDR0;
    UDR0 = data;
}

ISR(USART_TX_vect) {

}

当我尝试编译它时,我得到一个指向这一行的错误:

cb_init(usart_buffer_ptr, USART_BUFFER_SIZE, sizeof(char));

它只是在数字常量之前说“错误:预期的')'。

谷歌告诉我这是某种预处理器错误。但我不明白怎么会是这样。

我是 C 的新手,所以如果这是完全显而易见的事情,我深表歉意。

4

3 回答 3

4

您不能在顶层进行裸函数调用。

cb_init(usart_buffer_ptr, USART_BUFFER_SIZE, sizeof(char));

是一个裸函数调用。把那个移到里面main()

于 2012-04-27T18:07:13.097 回答
3

您不能在全局范围内运行函数。它必须主要完成:

int main(int argc, char *argv[] {
cb_init(usart_buffer_ptr, USART_BUFFER_SIZE, sizeof(char));
}
于 2012-04-27T18:07:18.780 回答
2

问题是您正在尝试在文件级别执行方法。

cb_init(usart_buffer_ptr, USART_BUFFER_SIZE, sizeof(char));

C 语言只允许此级别的声明/定义,而不是实际执行的语句。此调用需要移至函数定义中。

于 2012-04-27T18:07:51.807 回答