web-dev-qa-db-ja.com

Swift:switchステートメントでクラスタイプをテストする

Swiftでは、「is」を使用してオブジェクトのクラスタイプを確認できます。これを「スイッチ」ブロックに組み込むにはどうすればよいですか?

それは不可能だと思うので、これを回避する最善の方法は何だろうと思っています。

TIA、ピーター。

169
kingrolo

isブロックでswitchを絶対に使用できます。 Swiftプログラミング言語の「AnyおよびAnyObjectの型キャスト」を参照してください(もちろんAnyに限定されません)。広範な例があります。

for thing in things {
    switch thing {
    case 0 as Int:
        println("zero as an Int")
    case 0 as Double:
        println("zero as a Double")
    case let someInt as Int:
        println("an integer value of \(someInt)")
    case let someDouble as Double where someDouble > 0:
        println("a positive double value of \(someDouble)")
// here it comes:
    case is Double:
        println("some other double value that I don't want to print")
    case let someString as String:
        println("a string value of \"\(someString)\"")
    case let (x, y) as (Double, Double):
        println("an (x, y) point at \(x), \(y)")
    case let movie as Movie:
        println("a movie called '\(movie.name)', dir. \(movie.director)")
    default:
        println("something else")
    }
}
363
Rob Napier

「case is-case is Int、is String:」操作の例を挙げると、複数のケースを一緒にクラブして同じアクティビティを実行できます。同様のオブジェクトタイプ。ここで "、"は、または演算子。

switch value{
case is Int, is String:
    if value is Int{
        print("Integer::\(value)")
    }else{
        print("String::\(value)")
    }
default:
    print("\(value)")
}

デモリンク

40
Abhijeet

値がない場合は、オブジェクトのみ:

スイフト4

func test(_ val:Any) {
    switch val {
    case is NSString:
        print("it is NSString")
    case is String:
        print("it is a String")
    case is Int:
        print("it is Int")
    default:
        print(val)
    }
}


let str: NSString = "some nsstring value"
let i:Int=1
test(str) // it is NSString
test(i) // it is Int
22
Prcela

私はこの構文が好きです:

switch thing {
case _ as Int: print("thing is Int")
case _ as Double: print("thing is Double")
}

次のように、機能を高速に拡張できる可能性があるためです。

switch thing {
case let myInt as Int: print("\(myInt) is Int")
case _ as Double: print("thing is Double")
}
7
Daniel