一集合的工具类(Collections):
笔试题:
说出Collection与Collections的区别?
1.Collection是一个单列集合跟接口,Collections是一个操作集合的工具类
Collections常见方法:
对list集合排序
sort(list);
sort(list,comparator)
对list进行二分法查找
int binarySearch(list,key);
int binarySearch(list,key,Comparator);
按照指定比较器进行排序
max(Collection);
max(Collection,comparator);
min(Collection);
min(Collection,comparator);
*对list集合进行反转 *
reverse(list);
将不同步的集合变为同步的集合
Set synchronizedSet(SET s)
Map synchronizedMaP(Map m)
List synchronizedList(List list)
public class Test {
public static void main(String args[]){
ArrayList list = new ArrayList();
list.add(1);
list.add(123);
list.add(3);
list.add(12);
list.add(23);
//排序
Collections.sort(list);
System.out.println("排序后元素为:"+list);
//查找
System.out.println("找到的位置是:"+Collections.binarySearch(list, 123));
//最大值
System.out.println("最大值是:"+Collections.max(list));
//反转
Collections.reverse(list);
System.out.println("反转后无素为:"+list);
}
}
import java.util.ArrayList;
import java.util.Collections;
import java.util.Comparator;
class Student{
int id;
String name;
public Student(int id,String name){
this.id = id;
this.name = name;
}
@Override
public String toString() {
// TODO Auto-generated method stub
return String.format("编号:%d 姓名:%s\n",id,name);
}
}
class MyComparator implements Comparator{
@Override
public int compare(Student o1, Student o2) {
return o1.id - o2.id;
}
}
public class Demo02 {
public static void main(String[] args) {
ArrayList list = new ArrayList ();
list.add(new Student(3,"丁昌江"));
list.add(new Student(2,"熊尚旭"));
list.add(new Student(1,"吴云飞"));
//排序
Collections.sort(list,new MyComparator());
System.out.println("排序后元素为:"+list);
//查找
System.out.println("查找到的位置是:"+Collections.binarySearch(list,new Student(1,"马云"),new MyComparator()));
/*因为比较器的原因,只要编号一样就视为找到了*/
//反转
Collections.reverse(list);//反转是不依赖比较器的哟!
System.out.println("反转后无素为:"+list);
}
}
二:集合的工具类Arrays:
Arrays常见方法:
二分查找:
binarySearch(int[]);
binarySearch(double[]);
数组排序
sort(int [])
sort(char[])
将数组变成字符串
toString(int []);
复制数组
copyOf(int/boolean...[] original,int newLength);
original:源数组
newLenght:新数组长度
复制部分数组
copyOfRange(int/float[]... original, int from, int to)
比较两个数组是否相同
equals(int[],int[]);
将数组变成集合
List asList(T[]);
public class Test02 {
public static void main(String[] args) {
int a[] = {1,3,2,6};
int b[] = Arrays.copyOf(a,4);
int c[] = Arrays.copyOfRange(a, 1, 4);
System.out.println(Arrays.toString(b));
System.out.println(Arrays.toString(c));
System.out.println("比较两个数组:"+Arrays.equals(a, b));//true
/*两个数组的比较,只有内容,容量,顺序一样才是true*/
Integer[] d1= {1,2,3,4};
List list = Arrays.asList(d1);
for (int i = 0; i < list.size();i++){
System.out.println(list.get(i)+"");
}
/*
这里如果接收的是基本数据类型的数组,那么相当于只是存储了int[]这个类型,容量是1
一般是使用包装类Integer
*/
}
}