背景
今天在学习 unitTest 的时候跑了一下老大写的 test case, 有个 case 没通过, debug 之后发现是我近期的一个 commit 导致的, 具体如下:
//我在设置订阅蓝牙服务的时候增加了对 properties 的判断,如果支持订阅才订阅
if (characteristic.properties == CBCharacteristicPropertyNotify) {
[device setNotifyValue:YES forCharacteristic:characteristic];
}
这里的 properties 是一个位枚举 NS_OPTIONS, 可以同时表示多个值, 和平时用的枚举 NS_ENUM 只能表示一个值不同. 正确的表示应该是:
if (characteristic.properties & CBCharacteristicPropertyNotify) {
[device setNotifyValue:YES forCharacteristic:characteristic];
}
下面说一下一番学习之后我对 NS_ENUM 和 NS_OPTIONS 的理解, 主要参考了:
谈谈位枚举NS_OPTIONS
NS_ENUM
在之前公司独立开发的时候我基本没有枚举的概念, 表达状态通常是用 bool 或者 integer, 这样对于阅读代码的人非常不友好, 因为没有人知道每个值代表什么. 而枚举其实就是给每个值起个名字, 提高的代码的可阅读性.
比如表示蓝牙设备的状态的枚举:
typedef NS_ENUM(NSInteger, CBPeripheralState) {
CBPeripheralStateDisconnected = 0,
CBPeripheralStateConnecting,
CBPeripheralStateConnected,
CBPeripheralStateDisconnecting NS_AVAILABLE(10_13, 9_0),
}
通常我们会把要描述的状态作为枚举的名字例如 CBPeripheralState, 再在它的后面添加各个状态作为各个状态的枚举值如CBPeripheralStateDisconnected, 最后给不同的状态赋值. 通常我们不会太在意赋值, 一般是默认的从0一直累加, 有个别情况会给状态单独赋值方便运算.
NS_OPTIONS
位枚举这个 options 的 s 表明它是能表示多个值.
比如前面提到的蓝牙服务的属性:
typedef NS_OPTIONS(NSUInteger, CBCharacteristicProperties) {
CBCharacteristicPropertyBroadcast = 0x01, //0000 0001
CBCharacteristicPropertyRead = 0x02, //0000 0010
CBCharacteristicPropertyWriteWithoutResponse = 0x04, //0000 0100
CBCharacteristicPropertyWrite = 0x08, //0000 1000
CBCharacteristicPropertyNotify = 0x10, //0001 0000
... //后面的省略了
};
看起来跟枚举很像, 它的值也是一个 integer, 但是这里巧妙的运用了位运算达到一个变量表示多个枚举值的效果(又恶补了一番位运算).位枚举的枚举值是二进制下从1开始, 1向左偏移.
当我想表示同时支持蓝牙读和写时, 我可以用或运算(有1则1, 否则为0)这样表示:
CBCharacteristicProperties propeties = CBCharacteristicPropertyRead | CBCharacteristicPropertyWrite;
等同于二进制下的:
CBCharacteristicProperties propeties = 0000 0010 | 0000 1000; //等于 0000 1010
当我想判断是否支持蓝牙写或者蓝牙订阅的时候, 可以用与运算(有0为0, 否则为1)这样表示:
if (characteristic.properties & CBCharacteristicPropertyWrite) {
}
if (characteristic.properties & CBCharacteristicPropertyNotify) {
}
等同于二进制下的:
if ((0000 0010 | 0000 1000) & 0000 1000) {
//结果等于 0000 1000, 显然是大于0的, 为真, 说明支持蓝牙写
}
if ((0000 0010 | 0000 1000) & 0001 0000) {
//结果等于 0000 0000, 为假, 说明不支持蓝牙订阅
}
这样就达到了一个变量表示多个枚举值的效果.