小编典典

我可以在 Swift 中将范围运算符与 if 语句一起使用吗?

all

是否可以使用范围运算符.....<if 语句。可能是这样的:

let statusCode = 204
if statusCode in 200 ..< 299 {
  NSLog("Success")
}

阅读 83

收藏
2022-06-27

共1个答案

小编典典

您可以使用“模式匹配”运算符~=

if 200 ... 299 ~= statusCode {
    print("success")
}

或者带有表达式模式的 switch 语句(在内部使用模式匹配运算符):

switch statusCode {
case 200 ... 299:
    print("success")
default:
    print("failure")
}

请注意,..<表示省略上限值的范围,因此您可能需要 200 ... 299or 200 ..< 300

附加信息: 当上述代码在 Xcode 6.3 中编译并打开优化时,然后进行测试

if 200 ... 299 ~= statusCode

实际上根本没有生成函数调用,只有三个汇编指令:

addq    $-200, %rdi
cmpq    $99, %rdi
ja  LBB0_1

这与生成的汇编代码完全相同

if statusCode >= 200 && statusCode <= 299

你可以用

xcrun -sdk macosx swiftc -O -emit-assembly main.swift

从 Swift 2 开始, 这可以写成

if case 200 ... 299 = statusCode {
    print("success")
}

对 if 语句使用新引入的模式匹配。另请参阅Swift 2 - “if”
中的模式匹配

2022-06-27