第27回:Type、Array、List、Tupleモードマッチング実戦解析
通常の整形、文字列タイプのモードマッチングに加えて、scalaは多くの形式のモードマッチングを提供します.例えばType、Array、List、Tuple
私たちはコードで説明します.
タイプパターンマッチング:入力値のタイプを判断する
実行結果は次のとおりです.
特別説明Map[,]の2つの_、任意のタイプを表します.type Map=Predefに等しい.Map[A,B]しかしMap[Any,Any]と書くことはできない
配列パターンの一致:
リストの一致:
タプルマッチング
私たちはコードで説明します.
タイプパターンマッチング:入力値のタイプを判断する
def match_type(t : Any) = t match {
case p : Int => println("It is a Integer!")
case p : String => println("It is a String! the content is :"+p)
case m : Map[_,_] => m.foreach(println)
case _ => println("Unknown Type")
}
match_type(1)
match_type("Spark")
match_type(Map("Spark"->"scala language"))
実行結果は次のとおりです.
It is a Integer!
It is a String! the content is :Spark
(Spark,scala language)
特別説明Map[,]の2つの_、任意のタイプを表します.type Map=Predefに等しい.Map[A,B]しかしMap[Any,Any]と書くことはできない
配列パターンの一致:
def match_array(arr : Any) = arr match {
case Array(x) => println("Array(1):",x) // 1 ,x
case Array(x,y) => println("Array(2):",x,y) // 2 ,x
case Array(x,_*) => println(" :",x) // ,
case Array(_*) => println(" ") //
}
match_array(Array(0))
match_array(Array("spark"))
match_array(Array("spark","scala"))
match_array(Array("spark","scala",0,4))
リストの一致:
def match_list(lst : Any) = lst match {
case 0 :: Nil => println("List:"+0) //Nil
case List(x) => println("List:"+x)
case x :: y :: Nil => println("List:"+x)
case x :: tail => println("List:"+" List") //tail List
}
match_list(List(0))
match_list(List("spark"))
match_list(List("spark","hadoop"))
match_list(List("spark",1,2,4,5))
タプルマッチング
def match_tuple(t : Any) = t match {
case (0,_) => println(" , 0")
case (x,y) => println(" , :"+x+","+y)
case _ => println("something else")
}
match_tuple((0,'x'))
match_tuple(('y','x'))
match_tuple((0,1,2,3))