我正在使用C ++ Builder XE4。我正在尝试将一些C代码编译到控制台应用程序中。 C文件很大,因此我尝试着重解决这个问题。该代码设置了两个结构,然后尝试调用失败的值。

struct ephloc
{
  long first_item_ordinal;
  long last_item_ordinal;
  int days_per_record;
  int items_per_record;
  int total_records;
};

struct ephloc objs[15] = {
  {    641, 2210500,  8, 44, 50224},
  {2210501, 3014088, 16, 32, 25112},
  {3014089, 4043684, 16, 41, 25112},
  {4043685, 4483148, 32, 35, 12556},
  {4483149, 4809608, 32, 26, 12556},
  {4809609, 5098400, 32, 23, 12556},
  {5098401, 5349524, 32, 20, 12556},
  {5349525, 5600648, 32, 20, 12556},
  {5600649, 5851772, 32, 20, 12556},
  {5851773, 6730696, 16, 35, 25112},
  {6730697, 10849068, 4, 41, 100448},
  {10849069,14967440, 4, 41, 100448},
  {14967441,14967452, 401792, 8, 1},
  {14967453,14967464, 401792, 8, 1},
};


下面的代码在[2]处停止,并显示以下两个错误。如何修改此代码以使其起作用?

E2110:不兼容的类型转换(C ++)无法完成请求的转换。

E2062无效的间接定向(C ++)

int LoadData( D, iobj, p, v )
double D;
int iobj;
double p[], v[];
{
int s;
//--Lots of code here--

s = objs[iobj][2];

//--more code here--
}

最佳答案

struct ephloc objs[15] = { /* whatever */ };


这将objs定义为具有15个ephloc类型的元素的数组。

objs[iobj]


这将访问该数组的元素。由于每个元素的类型均为ephloc,因此此表达式为您提供ephloc

objs[iobj][2]


这将尝试访问数组的第二个元素。但是objs[iobj]不是数组,因此编译器告诉您不能这样做。

要访问该元素的成员,请使用成员名称:

objs[iobj].first_item_ordinal


这将访问对象objs[iobj]的第一个成员。

10-04 12:57