首先,让我告诉你结构:
struct HPOLY
{
HPOLY() : m_nWorldIndex(0xFFFFFFFF), m_nPolyIndex(0xFFFFFFFF) {}
HPOLY(__int32 nWorldIndex, __int32 nPolyIndex) : m_nWorldIndex(nWorldIndex), m_nPolyIndex(nPolyIndex) {}
HPOLY(const HPOLY& hPoly) : m_nWorldIndex(hPoly.m_nWorldIndex), m_nPolyIndex(hPoly.m_nPolyIndex) {}
HPOLY &operator=(const HPOLY &hOther)
{
m_nWorldIndex = hOther.m_nWorldIndex;
m_nPolyIndex = hOther.m_nPolyIndex;
return *this;
}
bool operator==(const HPOLY &hOther) const
{
return (m_nWorldIndex == hOther.m_nWorldIndex) && (m_nPolyIndex == hOther.m_nPolyIndex);
}
bool operator!=(const HPOLY &hOther) const
{
return (m_nWorldIndex != hOther.m_nWorldIndex) || (m_nPolyIndex != hOther.m_nPolyIndex);
}
__int32 m_nPolyIndex, m_nWorldIndex;
};
有一些我不明白的事情。
结构内部HPOLY的重复意味着什么?以及如何将结构转录为delphi代码?
感谢您的帮助。
答案 0 :(得分:8)
结构内部重复HPOLY是该类型的构造函数的定义。在Delphi中,复制构造函数(C ++中的第三个,它基于另一个相同类型的实例构造此类型的实例)在Delphi中不是必需的。双参数构造函数允许您指定两个字段的初始值。默认的零参数构造函数将字段的值设置为-1,但Delphi不允许在记录上使用这样的构造函数。
该结构中的下一部分是赋值运算符。 Delphi自动为记录提供。接下来是比较运算符,比较相等和不等式的类型。当您在=
值上使用<>
和HPoly
运算符时,编译器将调用它们。
type
HPoly = record
m_nPolyIndex, m_nWorldIndex: Integer;
constructor Create(nWorldIndex, nPolyIndex: Integer);
class operator Equal(const a: HPoly; const b: HPoly): Boolean;
class operator NotEqual(const a: HPoly; const b: HPoly): Boolean;
end;
constructor HPoly.Create(nWorldIndex, nPolyIndex: Integer);
begin
m_nPolyIndex := nPolyIndex;
m_nWorldIndex := nWorldIndex;
end;
class operator HPoly.Equal(const a, b: HPoly): Boolean;
begin
Result := (a.m_nPolyIndex = b.m_nPolyIndex)
and (a.m_nWorldIndex = b.m_nWorldIndex);
end;
class operator HPoly.NotEqual(const a, b: HPoly): Boolean;
begin
Result := (a.m_nPolyIndex <> b.m_nPolyIndex)
or (a.m_nWorldIndex <> b.m_nWorldIndex);
end;
答案 1 :(得分:4)
HPOLY
是一个只有两个32位整数字段的结构:m_nPolyIndex
和m_nWorldIndex
。
前三行称为构造函数:每当创建新的HPOLY
实例时执行的代码。然后,在冒号后写入变量名称意味着初始化变量内容。
例如,创建一个空的HPOLY:
HPOLY x;
在x上调用第一个空构造函数。 x.m_nWorldIndex
的值为0xFFFFFFFF,x.m_nPolyIndex
的值为0xFFFFFFFF。
其他两个构造函数是手动初始化两个字段值:
XPOLY y( 1, 2 );
XPOLY z( y );
y.m_nWorldIndex
的值为1,y.m_nPolyIndex
的值为2。
z.m_nWorldIndex
的值为y.m_nWorldIndex
,z.m_nPolyIndex
的值为y.m_nPolyIndex
。
在Delphi上,TPOLY
结构可以转换为以下记录:
TPOLY = Record
m_nWorldIndex : Integer;
m_nPolyIndex : Integer;
end;