在Objective-C中创建具有特定类型的枚举的正确方法是什么? NS_ENUM和NS_OPTIONS如何工作? NS_OPTIONS用于掩码,如NSAutoresizing?感谢。
Code from NSObjCRuntime.h
#define NS_ENUM(_type, _name) enum _name : _type _name; enum _name : _type
#define NS_OPTIONS(_type, _name) _type _name; enum : _type
答案 0 :(得分:33)
来自NSHipster的示例。 NS_OPTIONS以类似的方式使用,但是对于通常是位掩码的枚举
而不是
typedef enum {
UITableViewCellStyleDefault,
UITableViewCellStyleValue1,
UITableViewCellStyleValue2,
UITableViewCellStyleSubtitle
} UITableViewCellStyle;
或
typedef enum {
UITableViewCellStyleDefault,
UITableViewCellStyleValue1,
UITableViewCellStyleValue2,
UITableViewCellStyleSubtitle
};
typedef NSInteger UITableViewCellStyle;
这样做:
typedef NS_ENUM(NSInteger, UITableViewCellStyle) {
UITableViewCellStyleDefault,
UITableViewCellStyleValue1,
UITableViewCellStyleValue2,
UITableViewCellStyleSubtitle
};
示例NS_OPTIONS枚举:
typedef NS_OPTIONS(NSUInteger, UIViewAutoresizing) {
UIViewAutoresizingNone = 0,
UIViewAutoresizingFlexibleLeftMargin = 1 << 0,
UIViewAutoresizingFlexibleWidth = 1 << 1,
UIViewAutoresizingFlexibleRightMargin = 1 << 2,
UIViewAutoresizingFlexibleTopMargin = 1 << 3,
UIViewAutoresizingFlexibleHeight = 1 << 4,
UIViewAutoresizingFlexibleBottomMargin = 1 << 5
};
答案 1 :(得分:8)
除了他们推断出不同类型的枚举之外,两者之间存在差异。
在Objective-C ++模式下编译时,它们会生成不同的代码:
这是原始代码:
typedef NS_OPTIONS(NSUInteger, MyOptionType) {
MyOptionType1 = 1 << 0,
MyOptionType2 = 1 << 1,
};
typedef NS_ENUM(NSUInteger, MyEnumType) {
MyEnumType1 = 1 << 0,
MyEnumType2 = 1 << 1,
};
这是在Objective-C
编译时扩展宏的代码:
typedef enum MyOptionType : NSUInteger MyOptionType; enum MyOptionType : NSUInteger {
MyOptionType1 = 1 << 0,
MyOptionType2 = 1 << 1,
};
typedef enum MyEnumType : NSUInteger MyEnumType; enum MyEnumType : NSUInteger {
MyEnumType1 = 1 << 0,
MyEnumType2 = 1 << 1,
};
这是在Objective-C++
编译时扩展宏的代码:
typedef NSUInteger MyOptionType; enum : NSUInteger {
MyOptionType1 = 1 << 0,
MyOptionType2 = 1 << 1,
};
typedef enum MyEnumType : NSUInteger MyEnumType; enum MyEnumType : NSUInteger {
MyEnumType1 = 1 << 0,
MyEnumType2 = 1 << 1,
};
查看两种模式之间NS_OPTIONS的区别?
HERE IS THE REASON
:
C ++ 11中有一个新功能,你可以为枚举声明一个类型,在此之前,类型持有枚举由编译器根据枚举的最大值决定。
所以在C ++ 11中,由于你可以自己决定枚举的大小,你可以转发声明枚举而不实际定义它们,如下所示:
//forward declare MyEnumType
enum MyEnumType: NSInteger
//use myEnumType
enum MyEnumType aVar;
//actually define MyEnumType somewhere else
enum MyEnumType: NSInteger {
MyEnumType1 = 1 << 1,
MyEnumType2 = 1 << 2,
}
这个功能很方便,Objective-C导入了这个功能,但在进行按位计算时会出现问题,如下所示:
enum MyEnumType aVar = MyEnumType1 | MyEnumType2;
此代码无法在C ++ / Objective-C ++编译中编译,因为aVar被认为是NSInteger
类型但MyEnumType1 | MyEnumType2
属于MyEnumType
类型,此分配可以&#39 ; t没有类型转换, C ++禁止隐式类型转换。
目前,我们需要NS_OPTIONS,NS_OPTIONS回退到C ++ 11之前的枚举,因此确实没有MyEnumType
,MyEnumType
只是NSInteger
的另一个名称,所以像
enum MyEnumType aVar = MyEnumType1 | MyEnumType2;
将编译,因为它将NSInteger
分配给NSInteger
。