java中集合类中Collection接口中的Set接口的常用方法熟悉

时间:2022-11-15 16:49:58

1:Set集合由Set接口和Set接口的实现类组成,Set接口继承了Collection接口,因为包含Collection接口的所有方法。

2:由于Set接口中不允许存在重复值,因此可以使用Set集合中addAll()方法,将Collection集合添加到Set集合中并除掉重复值

3:案例要求,创建一个List集合对象,并往List集合中添加元素。再创建一个Set集合,利用addAll()方法将List集合对象存入到Set集合中并除掉重复值,最后打印Set集合中的元素

 package com.ning;

 import java.util.*;

 public class Demo02 {

     public static void main(String[] args) {
// TODO Auto-generated method stub
List<String> list=new ArrayList<String>();//创建List集合
list.add("b");//将List集合中添加元素
list.add("a");
list.add("c");
list.add("q");
list.add("c");
Set<String> set=new HashSet<String>();//创建List集合对象
set.addAll(list);//将List集合添加到Set集合中
set.add("111");
set.remove("111");
Iterator<String> it=set.iterator();//创建Set迭代器
System.out.println("集合中的元素是:");
while(it.hasNext()){
System.out.print(it.next()+"\t");
} } }

java中集合类中Collection接口中的Set接口的常用方法熟悉


1:要使用Set集合,通常情况下需要声明为Set类型,然后通过Set接口类来实例化。Set接口的实现类常用HashSet和TreeSet类。

Set<String> set=new HashSet<String>();

Set<String> set=new TreeSet<String>();

2:由于集合中对象是无序的,遍历Set集合的结果与插入Set集合的顺序并不相同

 package com.ning;

 public class People {

     private String name;
private long id_card;
public People(String name,long id_card){
this.name=name;
this.id_card=id_card;
} public void setId_card(long id_card){
this.id_card=id_card;
}
public long getId_card(){
return id_card;
} public void setName(String name){
this.name=name;
}
public String getName(){
return name;
} }
 package com.ning;

 import java.util.*;

 public class Demo05 {

     public static void main(String[] args) {
Set<People> set=new HashSet<People>();//创建Set集合对象
set.add(new People("小别",10010));//向集合中添加元素
set.add(new People("小李",10011));
set.add(new People("小赵",10012));
Iterator<People> it=set.iterator();//创建集合迭代器
System.out.println("集合中的元素是:");
while(it.hasNext()){
People p=it.next();
System.out.println(p.getName()+" "+p.getId_card());
}
} }

java中集合类中Collection接口中的Set接口的常用方法熟悉