我看了之前的问题,但仍然不满意,因此我发布了这个。 我试图编译其他人编写的C ++代码。
/*
file1.h
*/
#include <stdio.h>
#include <stdlib.h>
typedef struct
{
struct
{
unsigned member1;
unsigned member2;
} str1;
struct
{
unsigned member3;
unsigned member4;
} str2;
struct
{
unsigned member5;
unsigned member6;
} str3;
} CONFIG_T;
/*
file1.c
*/
CONFIG_T cfg =
{
.str1 = { 0x01, 0x02 },
.str2 = { 0x03, 0x04 },
.str3 = { 0x05, 0x06 }
};
使用std C ++ 11编译,我得到以下错误。为什么 '。'已在代码中使用 在分配值时?
home $$ g++ -c -std=gnu++0x initialze_list.cpp
initialze_list.cpp:34: error: expected primary-expression before ‘.’ token
initialze_list.cpp:35: error: expected primary-expression before ‘.’ token
initialze_list.cpp:36: error: expected primary-expression before ‘.’ token
我无法理解错误的原因。请帮忙。
答案 0 :(得分:3)
您发布的是C代码,而不是C ++代码(请注意.c文件扩展名)。但是,以下代码:
CONFIG_T cfg =
{
{ 0x01, 0x02 },
{ 0x03, 0x04 },
{ 0x05, 0x06 }
};
应该可以正常工作。
您还可以阅读wiki中的C ++ 11初始化列表。
答案 1 :(得分:1)
指定的聚合初始值设定项是C99功能,即它是C语言的一个特性。它不存在于C ++中。
如果您坚持将其编译为C ++,则必须重写cfg
的初始化。
答案 2 :(得分:1)
/*
file1.c
*/
CONFIG_T cfg =
{
.str1 = { 0x01, 0x02 },
.str2 = { 0x03, 0x04 },
.str3 = { 0x05, 0x06 }
};
该代码使用名为指定初始值设定项的C99功能。正如您所观察到的,C ++和C ++ 11中没有该功能。
正如this answer中所建议的那样,你应该使用C编译器来代码。您仍然可以将它链接到您的C ++应用程序。您可以使用cmake
为您执行构建配置。一个简单的例子:
/* f1.h */
#ifndef MYHEADER
#define MYHEADER
typedef struct { int i, j; } test_t;
extern test_t t;
#endif
/* f1.c */
#include "f1.h"
test_t t = { .i = 5, .j = 6 };
/* f0.cc */
extern "C" { #include "f1.h" }
#include <iostream>
int main() {
std::cout << t.i << " " << t.j << std::endl;
}
# CMakeLists.txt
add_executable(my_executable f0.cc f1.c)
只需从源目录运行mkdir build; cd build; cmake ..; make
即可。
答案 3 :(得分:-1)
感谢所有......
经过所有分析后我发现上面的代码有C99功能称为
指定初始值设定项。
要在C ++中编译此代码,我已将代码更改为正常初始化,如下所示。
==========================
/*
* initialze_list.cpp
*/
#include <stdio.h>
typedef struct
{
struct
{ unsigned member1;
unsigned member2;
} str1;
struct
{ unsigned member3;
unsigned member4;
} str2;
struct
{ unsigned member5;
unsigned member6;
} str3;
} CONFIG_T;
CONFIG_T cfg =
{
{ 0x01, 0x02 },
{ 0x03, 0x04 },
{ 0x05, 0x06 }
};
/* End of file */
==================================
此代码编译正确,没有C ++中的错误。
$$ g ++ -c initialze_list.cpp
$$ g ++ -c -std = gnu ++ 0x initialze_list.cpp