Set集合概述和特点
Set系列集合:添加的元素, 是无序,不重复,无索引的。
- Hashset: 添加的元素,是无序,不重复,无索引的。保留了Set接口的特点。
- LinkedHashset: 添加的元素,是有序,不重复,无索引的。.
- Treeset:不重复,无索引,按照大小默认升序排序
Set集合特点
- 不包含重复元素的集合
- 没有带索引的方法,所以不能使用普通for循环遍历
Set集合练习
存储字符串并遍历
//HashSet:对集合的迭代顺序不作任何保证
public class SetTest {
public static void main(String[] args) {
//创建集合对象
Set<String> set = new HashSet<>();
//添加元素
set.add("hello");
set.add("world");
set.add("java");
//不包含重复元素的集合
set.add("world");
//遍历
for(String s :set) {
System.out.println(s);//world java hello
}
}
}
哈希值
-
哈希值:
是JDK根据对象的地址或者字符串或者数字算出来的int类型的数值 -
Object类中有一个方法可以获取对象的哈希值
public int hashCode(:返回对象的哈希码值
对象的哈希值特点
- 同一个对象多次调用hashCode()方法返回的哈希值是相同的
- 默认情况下, 不同对象的哈希值是不同的。
- 而重写hashCode0方法,可以实现让不同对象的哈希值相同
public class HashTest {
public static void main(String[] args) {
//创建学生对象
Student s1 = new Student("小明",19);
//同一对象多次调用hashCode()方法返回的哈希值是相同的
System.out.println(s1.hashCode());//325333723
System.out.println(s1.hashCode());//325333723
//默认情况下,不同对象哈希值是不同的
//方法重新可让不同对象哈希值相同
Student s2 = new Student("小红",22);
System.out.println(s2.hashCode()); //1937962514
System.out.println("hello".hashCode());//99162322
System.out.println("java".hashCode());//3254818
System.out.println("hello".hashCode());//99162322
System.out.println("重地".hashCode());//1179395
System.out.println("通话".hashCode());//1179395
}
}