(*useful)标记:目前觉得有用的函数
//FIXME 标记:待补充
OC:NS_OPTIONS
typedef NS_OPTIONS(NSInteger, CollecLayoutType) {
CollecLayoutType_1 = 1<<0,
CollecLayoutType_2 = 1<<1,
CollecLayoutType_3 = 1<<2,
CollecLayoutType_HNews = 1<<3,
CollecLayoutType_BaseCell = (CollecLayoutType_1|CollecLayoutType_2|CollecLayoutType_3)
};
对于位掩码,Swift 给出的方案是:选项集合(option sets)。在 C 和 Objective-C 中,通常的做法是将一个布尔值选项集合表示为一系列值为 2 的整数次幂的枚举成员。之后就可以使用位掩码来选择想要的选项了
if (type & CollecLayoutType_BaseCell) {
// TODO
)
if (type == CollecLayoutType_1) {
// TODO
)
Swift (选项集合 option sets)
使用结构体(struct
)来遵从 OptionSet
协议,以引入选项集合,而非枚举(enum
)。为什么这样处理呢?当枚举成员互斥的时候,比如说,一次只有一个选项可以被选择的情况下,枚举是非常好的。但是和 C 不同,在 Swift 中,你无法把多个枚举成员组合成一个值,而 C 中的枚举对编译器来说就是整型,可以接受任意整数值。
和 C 中一样,Swift 中的选项集合结构体使用了高效的位域来表示,但是这个结构体本身表现为一个集合,它的成员则为被选择的选项。这允许你使用标准的集合运算来维护位域,比如使用 contains 来检验集合中是否有某个成员,或者是用 union 来组合两个位域
struct CollecLayoutType : OptionSet {
let rawValue: UInt
static let CollecLayoutType_1 = CollecLayoutType(rawValue: 1 << 0)
static let CollecLayoutType_2 = CollecLayoutType(rawValue: 1 << 1)
static let CollecLayoutType_3 = CollecLayoutType(rawValue: 1 << 2)
static let CollecLayoutType_HNews = CollecLayoutType(rawValue: 1 << 3)
static let CollecLayoutType_BaseCell =
[CollecLayoutType_1, CollecLayoutType_2, CollecLayoutType_3]
}
使用:
let options: CollecLayoutType = [.CollecLayoutType_1, .CollecLayoutType_2] // 3 (= 1 + 2)
let op1 = options.contains(.CollecLayoutType_1) // → true
let op2 = options.contains(.CollecLayoutType_HNews) // → false
let op3 = options.union([.CollecLayoutType_3]) // → 7 (= 1 + 2 + 4)
let type: CollecLayoutType = .CollecLayoutType_1
if (type == .CollecLayoutType_1) { // → true
// TODO
}
if (CollecLayoutType.CollecLayoutType_BaseCell.contains(type)) { // → true
// TODO
}