我可以确定 delphi 按升序将整数分配给我创建的任何枚举吗?
type
TMyType = (mtFirst, mtSecond, mtThird);
确定mtFirts总是TmyType(1)
???
我尝试编写像myTypeselection := TMyType(MyRadiogroup.ItemIndex+1);
但是我失败了,整数数值在某种程度上是混合的。
答案 0 :(得分:6)
documentation有答案:
默认情况下,枚举值的序数从0开始,并遵循其标识符在类型声明中列出的顺序。
所以你认为从一个编号开始的编号实际上是不正确的。情况属于ord(mtFirst)=0
,ord(mtSecond)=1
等等。
这意味着您的代码应为:
myTypeselection := TMyType(MyRadiogroup.ItemIndex);
因为无线电组索引也是零。
在我自己的代码中,我使用以下泛型类来执行这样的操作:
type
TEnumeration<T> = class
strict private
class function TypeInfo: PTypeInfo; inline; static;
class function TypeData: PTypeData; inline; static;
public
class function IsEnumeration: Boolean; static;
class function ToOrdinal(Enum: T): Integer; inline; static;
class function FromOrdinal(Value: Integer): T; inline; static;
class function MinValue: Integer; inline; static;
class function MaxValue: Integer; inline; static;
class function InRange(Value: Integer): Boolean; inline; static;
class function EnsureRange(Value: Integer): Integer; inline; static;
end;
class function TEnumeration<T>.TypeInfo: PTypeInfo;
begin
Result := System.TypeInfo(T);
end;
class function TEnumeration<T>.TypeData: PTypeData;
begin
Result := TypInfo.GetTypeData(TypeInfo);
end;
class function TEnumeration<T>.IsEnumeration: Boolean;
begin
Result := TypeInfo.Kind=tkEnumeration;
end;
class function TEnumeration<T>.ToOrdinal(Enum: T): Integer;
begin
Assert(IsEnumeration);
Assert(SizeOf(Enum)<=SizeOf(Result));
Result := 0;
Move(Enum, Result, SizeOf(Enum));
Assert(InRange(Result));
end;
class function TEnumeration<T>.FromOrdinal(Value: Integer): T;
begin
Assert(IsEnumeration);
Assert(InRange(Value));
Assert(SizeOf(Result)<=SizeOf(Value));
Move(Value, Result, SizeOf(Result));
end;
class function TEnumeration<T>.MinValue: Integer;
begin
Assert(IsEnumeration);
Result := TypeData.MinValue;
end;
class function TEnumeration<T>.MaxValue: Integer;
begin
Assert(IsEnumeration);
Result := TypeData.MaxValue;
end;
class function TEnumeration<T>.InRange(Value: Integer): Boolean;
var
ptd: PTypeData;
begin
Assert(IsEnumeration);
ptd := TypeData;
Result := Math.InRange(Value, ptd.MinValue, ptd.MaxValue);
end;
class function TEnumeration<T>.EnsureRange(Value: Integer): Integer;
var
ptd: PTypeData;
begin
Assert(IsEnumeration);
ptd := TypeData;
Result := Math.EnsureRange(Value, ptd.MinValue, ptd.MaxValue);
end;
有了这个,你的代码就变成了:
myTypeselection := TEnumeration<TMyType>.FromOrdinal(MyRadiogroup.ItemIndex);
答案 1 :(得分:6)
如果未指定枚举值的值,编译器将从零开始,因此
TMyType = (mtFirst, mtSecond, mtThird)
相当于
TMyType = (mtFirst = 0, mtSecond = 1, mtThird = 2)
如果使用正确的起始值0,则从整数转换为枚举并返回是安全的。