jdk 设计者的得意之作.jdk提供的一些类和接口
主要内容
1.什么是类集框架
2.集合的种类
3.类集框架的基础结构.
什么是类集框架
1.类集框架是一组类和接口.
2.位于 java.util包当中.
3. 主要用户存储和管理对象.
4.主要分为三大类---集合,列表和映射.
什么是集合(set)
集合中的对象不按特定的方式排序,并且没有重复对象.
什么是列表(list)
集合中对象按照索引位置排序,可有有重复对象.
什么是映射(Map)
集合中的每一个元素包含一个键对象和一个值对象.
键不可以重复,值可以重复.
类集框架的主体结构.
两个*的接口
iterator collection
import java.util.List;
import java.util.ArrayList;
public class Test{
public static void main(String args[]){
ArrayList<String> arrayList = new ArrayList<String>();
//ArrayList<Student> arrayList = new ArrayList<Student>();
arrayList.add("a");
arrayList.add("b");
arrayList.add("c");
arrayList.add("d");
arrayList.remove(1);//把b移除掉
//String s = arrayList.get(1);//取出第一个位置对象
//System.out.println(s);
//int a = arrayList.size();
for(int i = 0; i < arrayList.size();i++){
String s = arrayList.get(i);
System.out.println(s);
}
}
}
类集框架就是Jdk提供的类与接口.
本集主要内容.
1. collection和iterator接口
2. set与hashSet的使用方法
collection接口
boolean add(Object o) 向集合当中加入一个对象
void clear() 删除集合当中的所有对象
boolean isEmpty() 判断集合是否为空
remove(Object o) 从集合中删除一个对象的引用
int size(); 返回集合中元素的数目.
collection的一个子接口就是set.
set接口有一个实现类,就是hastSet.
import java.util.Set;
import java.util.HashSet;
public class Test{
public static void main(String args[]){
HashSet<String> hashSet = new HashSet<String>();
Set<String> set = hashSet;
//Set<Stinrg> set = new HashSet<String>();
boolean b1 = set.isEmpty();
System.out.println(b1);
set.add("a");
set.add("b");
set.add("c");
set.add("d");
boolean b2 = set.isEmpty();
System.out.println(b2);
int i = set.size();
System.out.println("remove之前set对象的长度是" + i);
//set.clear();
set.remove("a");
int j = set.size();
System.out.println("remove之后set对象的长度是" + j);
}
}
import java.util.Set;
import java.util.HashSet;
import java.util.Iterator;
public class Test1{
public static void main(String args[]){
//HashSet<String> hashSet = new HashSet<String>();
//Set<String> set = hashSet;
//Iterator<--Collection<---Set <-----HashSet
//Iterator<--Collection<---List<----ArrayList
//hasNext() next()
Set<String> set = new HashSet<String>();
set.add("a");
set.add("b");
set.add("c");
set.add("d");
//调用Set对象的iterator方法会生成一个迭代器对象,该对象用于遍历整个set.
Iterator<String> it = set.iterator();//生成一个迭代器的对象.
//boolean b1 = it.hasNext();
//if(b1){
//String s = it.next();
//System.out.println(s);
//}
//
//boolean b2 = it.hasNext();
//if(b2){
//String s = it.next();
//System.out.println(s);
//}
while(it.hasNext()){
String s = it.next();//取出元素
System.out.println(s);
}
}
}
主要内容.
1.Map与HashMap的使用方法.
2.jdk帮助文档的使用方法.
import java.util.Map;
import java.util.HashMap;
public class Test{
public static void main(String args[]){
HashMap<String,String> hashMap = new HashMap<String,String>();
Map<String,String> map = hashMap;
map.put("1","a");
map.put("2","b");
map.put("3","c");
map.put("4","d");
map.put("5","e");
map.put("3","e");
int i = map.size();
System.out.println(i);
String s = map.get("3");
System.out.println(s);
}
}