[switch-statement] 신속한 사건

신속 함이 성명을 넘어서는가? 예를 들어 내가 다음을 수행하는 경우

var testVar = "hello"
var result = 0

switch(testVal)
{
case "one":
    result = 1
case "two":
    result = 1
default:
    result = 3
}

사례 “1”과 사례 “2”에 대해 동일한 코드를 실행할 수 있습니까?



답변

예. 다음과 같이 할 수 있습니다 :

var testVal = "hello"
var result = 0

switch testVal {
case "one", "two":
    result = 1
default:
    result = 3
}

또는 다음 fallthrough키워드를 사용할 수 있습니다 .

var testVal = "hello"
var result = 0

switch testVal {
case "one":
    fallthrough
case "two":
    result = 1
default:
    result = 3
}


답변

var testVar = "hello"

switch(testVar) {

case "hello":

    println("hello match number 1")

    fallthrough

case "two":

    println("two in not hello however the above fallthrough automatically always picks the     case following whether there is a match or not! To me this is wrong")

default:

    println("Default")
}


답변

case "one", "two":
    result = 1

break statement는 없지만 사례가 훨씬 유연합니다.

부록 : Analog File이 지적했듯이 breakSwift 에는 실제로 진술이 있습니다. switch빈 케이스가 허용되지 않으므로 빈 케이스를 채울 필요가 없으면 명령문에서 불필요한 경우에도 여전히 루프에서 사용할 수 있습니다. 예를 들면 다음과 같습니다 default: break..


답변

다음은 이해하기 쉬운 예입니다.

let value = 0

switch value
{
case 0:
    print(0) // print 0
    fallthrough
case 1:
    print(1) // print 1
case 2:
    print(2) // Doesn't print
default:
    print("default")
}

결론 : fallthrough이전 사례 fallthrough가 일치하는지 여부에 따라 다음 사례 (단 하나만)를 실행하는 데 사용 합니다 .


답변

fallthrough사례가 끝날 때 키워드 를 사용하면 찾고있는 대체 행동이 발생하며 한 번에 여러 값을 확인할 수 있습니다.


답변