📅  最后修改于: 2020-11-02 04:28:58             🧑  作者: Mango
Scala集是同一类型的成对的不同元素的集合。换句话说,集合是不包含重复元素的集合。有两种Sets,不变的和可变的。可变对象与不可变对象之间的区别在于,当对象不可变时,则不能更改对象本身。
默认情况下,Scala使用不可变的Set。如果要使用可变Set,则必须显式导入scala.collection.mutable.Set类。如果要在同一集合中使用可变集和不可变集,则可以继续将不可变集称为Set,但是可以将可变集称为mutable.Set 。
这是声明不可变集的方法-
// Empty set of integer type
var s : Set[Int] = Set()
// Set of integer type
var s : Set[Int] = Set(1,3,5,7)
or
var s = Set(1,3,5,7)
在定义一个空集时,类型注释是必需的,因为系统需要将具体类型分配给变量。
集合上的所有运算都可以用以下三种方法表示:
Sr.No | Methods & Description |
---|---|
1 |
head This method returns the first element of a set. |
2 |
tail This method returns a set consisting of all elements except the first. |
3 |
isEmpty This method returns true if the set is empty otherwise false. |
请尝试以下示例显示基本操作方法的用法-
object Demo {
def main(args: Array[String]) {
val fruit = Set("apples", "oranges", "pears")
val nums: Set[Int] = Set()
println( "Head of fruit : " + fruit.head )
println( "Tail of fruit : " + fruit.tail )
println( "Check if fruit is empty : " + fruit.isEmpty )
println( "Check if nums is empty : " + nums.isEmpty )
}
}
将以上程序保存在Demo.scala中。以下命令用于编译和执行该程序。
\>scalac Demo.scala
\>scala Demo
Head of fruit : apples
Tail of fruit : Set(oranges, pears)
Check if fruit is empty : false
Check if nums is empty : true
您可以使用++运算符或Set。++()方法来连接两个或多个集合,但是在添加集合时它将删除重复的元素。
以下是连接两个集合的示例。
object Demo {
def main(args: Array[String]) {
val fruit1 = Set("apples", "oranges", "pears")
val fruit2 = Set("mangoes", "banana")
// use two or more sets with ++ as operator
var fruit = fruit1 ++ fruit2
println( "fruit1 ++ fruit2 : " + fruit )
// use two sets with ++ as method
fruit = fruit1.++(fruit2)
println( "fruit1.++(fruit2) : " + fruit )
}
}
将以上程序保存在Demo.scala中。以下命令用于编译和执行该程序。
\>scalac Demo.scala
\>scala Demo
fruit1 ++ fruit2 : Set(banana, apples, mangoes, pears, oranges)
fruit1.++(fruit2) : Set(banana, apples, mangoes, pears, oranges)
您可以使用Set.min方法找出最小值,并使用Set.max方法找出集合中可用元素的最大值。以下是显示程序的示例。
object Demo {
def main(args: Array[String]) {
val num = Set(5,6,9,20,30,45)
// find min and max of the elements
println( "Min element in Set(5,6,9,20,30,45) : " + num.min )
println( "Max element in Set(5,6,9,20,30,45) : " + num.max )
}
}
将以上程序保存在Demo.scala中。以下命令用于编译和执行该程序。
\>scalac Demo.scala
\>scala Demo
Min element in Set(5,6,9,20,30,45) : 5
Max element in Set(5,6,9,20,30,45) : 45
您可以使用Set。&方法或Set.intersect方法来找出两个集合之间的公共值。请尝试以下示例来显示用法。
object Demo {
def main(args: Array[String]) {
val num1 = Set(5,6,9,20,30,45)
val num2 = Set(50,60,9,20,35,55)
// find common elements between two sets
println( "num1.&(num2) : " + num1.&(num2) )
println( "num1.intersect(num2) : " + num1.intersect(num2) )
}
}
将以上程序保存在Demo.scala中。以下命令用于编译和执行该程序。
\>scalac Demo.scala
\>scala Demo
num1.&(num2) : Set(20, 9)
num1.intersect(num2) : Set(20, 9)