Scala 集合 - Set

Scala Set 是同一类型的成对不同元素的集合。 换句话说,Set 是不包含重复元素的集合。 Set 有两种,不可变可变。 可变对象和不可变对象的区别在于,当对象不可变时,对象本身不能更改。

默认情况下,Scala 使用不可变集。 如果您想使用可变 Set,则必须显式导入 scala.collection.mutable.Set 类。如果您想在同一个集合中同时使用可变集和不可变集,那么您可以继续将不可变 Set 引用为 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 方法和说明
1

head

此方法返回集合的第一个元素。

2

tail

此方法返回一个由除第一个元素之外的所有元素组成的集合。

3

isEmpty

如果集合为空,此方法返回 true,否则返回 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)