我正在将C库转换为Delphi。 我在转换下面的代码时遇到问题。 这是用于通信的结构,因此顺序必须正确。
Delphi
Tparam_union_params_t = packed record
case Integer of
0: (param_float:single);
1: (param_int32:Int32);
2: (param_uint32:UInt32);
...
...
end;
Tparam_union_t = packed record
param:Tparam_union_params_t // This method requires var name.
type:UInt8;
end;
C Lang
#ifdef __GNUC__
#define PACKED( __Declaration__ ) __Declaration__ __attribute__((packed))
#else
#define PACKED( __Declaration__ ) __pragma( pack(push, 1) ) __Declaration__ __pragma( pack(pop) )
#endif
PACKED(
typedef struct param_union {
union {
float param_float;
int32_t param_int32;
uint32_t param_uint32;
int16_t param_int16;
uint16_t param_uint16;
int8_t param_int8;
uint8_t param_uint8;
uint8_t bytes[4];
}; // This no-named union. no-named is important.
uint8_t type;
}) param_union_t;
我的方法需要var名称 但是原始的C代码没有命名。 如何将C中的匿名联合或结构转换为Delphi?
答案 0 :(得分:6)
您拥有的还不错,但是在我的文章Pitfalls of converting中,我描述了一种稍微好一点的技术来处理这种不带名称的联合:
param_union_p = ^param_union_t;
param_union_t = packed record
case Integer of
0: (param_float: Single);
1: (param_int32: Int32);
2: (param_uint32: UInt32; // add the members after the union to the largest branch.
&type: UInt8);
3: (param_int16: Int16);
...
...
end;
PParamUnion = ^TParamUnion;
TParamUnion = param_union_t;
也可以将其添加到相同大小的UInt32
或Single
分支中,而不是在Int32
分支中。这仍然会导致与C中的结构相同的内存布局,&type
的偏移量为4,记录的大小为5,这就是全部。只需看一下文章中的图表即可进行澄清:
这样,就不需要为联合部分指定其自己的类型和名称。如果您不信任“技巧”,请使用code I give in the same article检查C和Delphi中的偏移量。
Borland和Embarcadero以及Delphi-JEDI使用相同的技巧来翻译匿名联合,以及Delphi TVarRec
(用于array of const
参数)和TVarType
(用于变体)记录也是以这种方式建立的。