使用avr-gcc时出现initializer element is not constant
编译错误。有没有什么好方法可以做我想在这里做的事情?
file.c
#include "file.h"
#include "../notes/octave_two_notes.h"
//F2 is defined in octave_two_notes.h
//This is the file giving me the compilation error
struct Song_Note F2_500ms = { .note = F2, .duration_ms = 500 };
song_note.h
#include "note.h"
struct Song_Note {
struct Note note;
uint16_t duration_ms;
} Song_Note;
octave_two_notes.h
extern struct Note F2;
octave_two_notes.c
#define CALC_CTC_FREQ(clock_freq, prescaler, note_freq_hz) ( (uint32_t) clock_freq / ( (uint16_t) note_freq_hz * (uint16_t) prescaler * 2) - 1)
struct Note F2 = {.freq_hz = 87, .ocr_val = CALC_CTC_FREQ(16000000, 8, 87)};
note.h
#include <stdint.h>
struct Note {
uint16_t freq_hz;
uint16_t ocr_val;
} Note;
答案 0 :(得分:0)
首先,这些变量都应声明为const
。主要是因为你想要它们在闪存中,而不是在RAM中。
const
无法解决主要问题,因为C语言甚至不会将const
- 限定变量视为常量表达式。在文件范围内声明的变量具有静态存储持续时间&#34;因此必须用常量表达式初始化。
C提供的唯一解决方案就是将初始化列表声明为不优雅的宏,在这种情况下它必须位于头文件中:
// header file
#define CALC_CTC_FREQ ...
#define F2_INIT \
{ \
.freq_hz = 87, \
.ocr_val = CALC_CTC_FREQ(16000000, 8, 87) \
}
并在.c文件中,使用该宏:
// c file
const struct Note F2 = F2_INIT;
然后在其他地方的.c文件中:
const struct Song_Note F2_500ms = { .note = F2_INIT, .duration_ms = 500 };
请注意,CALC_CTC_FREQ
部分应该没问题,其中的所有内容都是常量表达式,并在编译时进行评估。