尚硅谷

8_多线程

1.程序、线程、进程的理解

01程序

概念:是为完成特定任务、用某种语言编写的一组指令的集合。即指一段静态代码

02进程

概念:是程序的一次执行过程,或是正在运行的一个程序。是一个动态的过程:有其自身的产生、存在、消亡的过程。——生命周期
说明:进程作为资源分配单位,系统在运行时会为每个进程分配不同的内存区域

03线程

概念:进程可以进一步细分为线程,是程序内部的一条执行路径
说明:线程作为调度和执行的单位,每个线程拥有独立的运行栈和程序计数器,线程切换的开销小
内存结构:
JVAV基础(半) - 图1
进程可以细化为多个线程
每个线程拥有自己独立的:栈、程序计数器
多个线程,共享同一个进程中的机构:方法区和堆

并行与并发

01并行和并发的理解

并行:多个cpu同时执行多个任务。比如:多个人同时做不同的事
并发:一个cpu同时执行多个任务

创建多线程的两种方式

方式一:继承Thread类的方式

1.创建一个继承于Thread类的子类
2.重写Thread类中的run()—>将此线程执行的操作声明到run()方法中
3.创建Thread类的子类的对象
4.通过此对象调用start()方法
说明两个问题:
启用一个线程必须调用start方法,不能调用run方法来启动
如果再启动一个线程,必须重新创建一个Thread类的子类的对象,调用此对象的start方法

方式二:实现Runnable接口的方式

1.创建一个实现了Runnable接口的子类
2.在实现类中实现Runnable接口中的抽象方法:run()
3.创建实现类的对象
4.将此对象作为参数传递到Thread类的构造器中,创建Thread类的对象
5.用Thread类的对象来调用start()

两种方式对比:
开发中:优先选择实现Runnable接口的方式
原因:1.实现的方式没有类的单继承性的局限性
2.实现的方式更适合来处理多个j线程共享数据的情况
联系:public class Thread implements Runnable
相同点:两种方式都需要重写run(),将线程要执行的逻辑声明在run()中
都需要调用start方法来启动

Thread类中的常用方法

常用方法

1.start():启动当前线程,调用当前线程的run()
2.run():重写Thread类中的run()—>将此线程执行的操作声明到run()方法中
3.currentThread():静态方法,返回执行当前线程的代码的线程
4.getName():获取当前线程的名字
5.setName():设置当前线程的名字
6.yiled():释放当前cpu的执行权
7.join():在线程a中调用线程b的join(),此时线程a就进入阻塞状态直到线程b完全执行完,线程a才结束阻塞状态
8stop():已过时。执行此方法时,强制结束当前线程
9.sleep(Long millitime):让当前线程睡眠,指定millitime毫秒。在指定毫秒下该线程是阻塞状态
10.isAlive():判断当前线程是否存活

线程优先级

MAX_PRIORITY:10
MIN_PRIORITY:1
NORM_PRIORITY:5 默认优先级
设置和获取当前线程的优先级
getPriority():获取当前线程的优先级
setPriority(int p):设置当前线程的优先级
说明:高优先级要抢占低优先级的线程cpu执行权。但只是从概率上讲

线程通信:wait()/notify()/notifyAll():此三个方法是定义在Object类中
java线程分为:守护线程和用户线程

线程的生命周期

JVAV基础(半) - 图2

线程同步(解决线程安全问题)

在java中通过同步机制,解决线程安全问题
同步解决了线程安全问题,操作同步代码时,其他线程等待,相当于一个单线程的过程,效率低

解决线程安全问题方式一:同步代码块

  1. synchronized(同步监视器){
  2. //需要被同步的代码
  3. }

实现runnable接口的方法(售票问题)

  1. package day17;
  2. /**
  3. * @author Lilei
  4. * @date 2021/11/18-@17:39
  5. */
  6. public class Window1 implements Runnable{
  7. private int ticket=100;
  8. Object object=new Object();
  9. @Override
  10. public void run() {
  11. while (true) {
  12. try {
  13. Thread.sleep(100);
  14. } catch (InterruptedException e) {
  15. e.printStackTrace();
  16. }
  17. synchronized (object) {//同步监视器可以使用this,因为此时的this是唯一的Window1对象
  18. if (ticket > 0) {
  19. System.out.println(Thread.currentThread().getName() + ":卖票,票号为:" + ticket);
  20. ticket--;
  21. } else {
  22. break;
  23. }
  24. }
  25. }
  26. }
  27. }
  28. class WindowTest1{
  29. public static void main(String[] args) {
  30. Window1 w1= new Window1();
  31. Thread t1=new Thread(w1);
  32. Thread t2=new Thread(w1);
  33. Thread t3=new Thread(w1);
  34. t1.setName("窗口一:");
  35. t2.setName("窗口二:");
  36. t3.setName("窗口三:");
  37. t1.start();
  38. t2.start();
  39. t3.start();
  40. }
  41. }

继承Thread类

  1. package day18.java;
  2. /**
  3. * @author Lilei
  4. * @date 2022/1/7-@18:31
  5. */
  6. class Window extends Thread{
  7. private static int ticket=100;
  8. private static Object object=new Object();//static保证锁是唯一的
  9. @Override
  10. public void run() {
  11. while (true){
  12. try {
  13. Thread.sleep(10);
  14. } catch (InterruptedException e) {
  15. e.printStackTrace();
  16. }
  17. //synchronized(Window.class) Class class=Window.class,Window.class只会加载一次
  18. synchronized(object){
  19. if (ticket>0){
  20. System.out.println(getName()+":卖票,票号为:"+ticket);
  21. ticket--;
  22. }else{
  23. break;
  24. }
  25. }
  26. }
  27. }
  28. }
  29. public class WindowsTest {
  30. public static void main(String[] args) {
  31. Window w1=new Window();
  32. Window w2=new Window();
  33. Window w3=new Window();
  34. w1.setName("窗口一");
  35. w2.setName("窗口二");
  36. w3.setName("窗口三");
  37. w1.start();
  38. w3.start();
  39. w2.start();
  40. }
  41. }

说明:1.操作共享数据的代码,即需要被同步的代码
2.共享数据:多个线程共同操作的变量
3.同步监视器:俗称:锁。任何一个类的对象都可以充当一个锁
要求多个线程必须用同一把锁

解决线程安全问题方式二:同步方法

如果操作共享数据的完整代码声明在一个方法中,我们可以将此方法声明为同步的。
非静态的同步代码块,同步监视器是this
静态的同步代码块,同步监视器是当前类本身
解决实现Runnable接口的线程安全问题

  1. package day18.java;
  2. /**
  3. * @author Lilei
  4. * @date 2022/1/7-@19:04
  5. *
  6. *
  7. * 出现重票错票线程安全问题
  8. * 问题出现原因:当某个线程操作买票的过程,尚未完成操作时,其他线程参与进来,也操作车票
  9. * 如何解决:当一个线程在操作共享数据,其他线程不能参与进来,直到线程a操作完成,其他线程才可以造成,即使a阻塞,也不能改变
  10. *
  11. */
  12. class Window3 implements Runnable {
  13. private int ticket = 100;
  14. @Override
  15. public void run() {
  16. while (true) {
  17. show();
  18. }
  19. }
  20. private synchronized void show() {//同步监视器即使this
  21. if (ticket > 0) {
  22. try {
  23. Thread.sleep(10);
  24. } catch (InterruptedException e) {
  25. e.printStackTrace();
  26. }
  27. System.out.println(Thread.currentThread().getName() + ":卖票,票号:" + ticket);
  28. ticket--;
  29. }
  30. }
  31. }
  32. public class WindowTest3{
  33. public static void main(String[] args) {
  34. Window3 window3=new Window3();
  35. Thread t1=new Thread(window3);
  36. Thread t2=new Thread(window3);
  37. Thread t3=new Thread(window3);
  38. t1.setName("窗口1");
  39. t2.setName("窗口2");
  40. t3.setName("窗口3");
  41. t1.start();
  42. t2.start();
  43. t3.start();
  44. }
  45. }

解决继承Thread类的线程安全问题

  1. package day18.java;
  2. /**
  3. * @author Lilei
  4. * @date 2022/1/7-@18:31
  5. */
  6. class Window2 extends Thread {
  7. private static int ticket = 100;
  8. @Override
  9. public void run() {
  10. while (true) {
  11. show();
  12. }
  13. }
  14. private static synchronized void show() {//同步监视器是Window2.class
  15. try {
  16. Thread.sleep(10);
  17. } catch (InterruptedException e) {
  18. e.printStackTrace();
  19. }
  20. if (ticket > 0) {
  21. System.out.println(Thread.currentThread().getName() + ":卖票,票号为:" + ticket);
  22. ticket--;
  23. }
  24. }
  25. }
  26. public class WindowTest2 {
  27. public static void main(String[] args) {
  28. Window2 w1=new Window2();
  29. Window2 w2=new Window2();
  30. Window2 w3=new Window2();
  31. w1.setName("窗口一");
  32. w2.setName("窗口二");
  33. w3.setName("窗口三");
  34. w1.start();
  35. w3.start();
  36. w2.start();
  37. }
  38. }

解决单例模式中的线程安全问题

  1. package day18.exe;
  2. /**
  3. * @author Lilei
  4. * @date 2022/1/11-@16:35
  5. */
  6. public class BankTest {
  7. public static void main(String[] args) {
  8. Bank bank1=Bank.getInstance();
  9. Bank bank2=Bank.getInstance();
  10. System.out.println(bank1==bank2);
  11. }
  12. }
  13. //懒汉式单例
  14. class Bank{
  15. private Bank(){}
  16. private static Bank instance=null;
  17. public static Bank getInstance(){
  18. //方式一:效率稍差
  19. // synchronized (Bank.class){
  20. // if (instance==null){
  21. // instance=new Bank();
  22. // }
  23. // return instance;
  24. // }
  25. //方式二:效率更高
  26. if (instance==null){
  27. synchronized (Bank.class){
  28. if (instance==null){
  29. instance=new Bank();
  30. }
  31. }
  32. }
  33. return instance;
  34. }
  35. }

线程的死锁问题

不同的线程分别占用对方需要的共享资源不放弃,都在等对方释放自己需要的共享资源,就形成了死锁
出现死锁后,不会出现异常、提示,只是所有线程都在阻塞状态,无法继续

解决线程安全问题方式三:Lock锁—jdk5.0新增

  1. package day18.exe;
  2. import java.util.concurrent.locks.ReentrantLock;
  3. /**
  4. * @author Lilei
  5. * @date 2022/1/11-@17:29
  6. */
  7. class Window implements Runnable{
  8. private int ticket=100;
  9. //1.实例化ReetrantLock
  10. private ReentrantLock lock=new ReentrantLock();
  11. @Override
  12. public void run() {
  13. while (true){
  14. try{
  15. //调用锁方法
  16. lock.lock();
  17. if (ticket>0){
  18. try {
  19. Thread.sleep(100);
  20. } catch (InterruptedException e) {
  21. e.printStackTrace();
  22. }
  23. System.out.println(Thread.currentThread().getName()+":售票,票号:"+ticket);
  24. ticket--;
  25. }else {
  26. break;
  27. }
  28. }finally {
  29. //调用解锁方法
  30. lock.unlock();
  31. }
  32. }
  33. }
  34. }
  35. public class LockTest {
  36. public static void main(String[] args) {
  37. Window w=new Window();
  38. Thread t1 = new Thread(w);
  39. Thread t2 = new Thread(w);
  40. Thread t3 = new Thread(w);
  41. t1.setName("窗口一");
  42. t2.setName("窗口二");
  43. t3.setName("窗口三");
  44. t1.start();
  45. t2.start();
  46. t3.start();
  47. }
  48. }

面试题:synchronized与Lock方式的异同
相同:都可解决线程安全问题
不同:synchronized机制在执行完相应的同步代码后,会自动的释放同步监视器
Lock需要手动的去启动同步(lock.lock()),同时结束也需要手动结束(lock.unlock())
优先使用顺序:Lock锁—>同步代码块(已经进入方法体,分配了相应资源)—>同步方法(在方法体外面)
面试题:如何解决线程安全问题?有集中方式?
(synchronized)同步代码块 同步方法 Lock锁

线程通信

例子:使用两个线程打印1-100

  1. package day18.exe;
  2. /**
  3. * @author Lilei
  4. * @date 2022/1/11-@21:55
  5. */
  6. public class CommunicationTest {
  7. public static void main(String[] args) {
  8. Number num = new Number();
  9. Thread t1 = new Thread(num);
  10. Thread t2 = new Thread(num);
  11. t1.setName("t1");
  12. t2.setName("t2");
  13. t1.start();
  14. t2.start();
  15. }
  16. }
  17. class Number implements Runnable{
  18. private int number=1;
  19. @Override
  20. public void run() {
  21. while (true) {
  22. synchronized(this){
  23. notifyAll();
  24. if (number <= 100) {
  25. System.out.println(Thread.currentThread().getName() + ":" + number);
  26. number++;
  27. try {
  28. //调用wait方法使线程进入阻塞,可以释放同步监视器
  29. wait();
  30. } catch (InterruptedException e) {
  31. e.printStackTrace();
  32. }
  33. } else {
  34. break;
  35. }
  36. }
  37. }
  38. }
  39. }

涉及到三个方法:
wait():一旦执行此方法,当前线程就会进入阻塞状态,并释放同步监视器
notify():一旦执行此方法,就会唤醒一个被wait的线程
notifyAll():一旦执行此方法,就会唤醒所有被wait的线程
说明:1.只能出现在同步代码块或者同步方法中
2.调用者必须是同步代码块或同步方法中的同步监视器
3.三个方法定义在java.long.Object类中。

面试题:sleep()和wait()的异同
相同点:一旦执行方法,都可以使当前线程进入阻塞状态。
不同点:1.两个方法声明的位置不同Threa()类中声明sleep(),Object类中声明wait()
2.调用的范围要求不同:sleep()可以在任何需要的场景下调用。wait()必须使用在同步方法或同步代码块中。
3.关于是否是否同步监视器:如果两个方法都写在同步代码块或同步方法中,sleep方法不会释放同步监视器,wait方法会释放同步监视器

JDK5.0新增创建线程方式

方式一:实现Callable接口

与Runnable相比,Callable功能更强大一些
1.相比run()方法,可以有返回值
2.方法可以抛出异常
3.支持泛型的返回值
4.需要借助FutureTask类,比如获取返回值结果

  1. package day18.java;
  2. import java.util.concurrent.Callable;
  3. import java.util.concurrent.ExecutionException;
  4. import java.util.concurrent.FutureTask;
  5. /**
  6. * @author Lilei
  7. * @date 2022/1/25-@21:09
  8. */
  9. //1.创建一个实现Callable接口的实现类
  10. class NumThread implements Callable{
  11. //2.实现call方法,将需要执行的操作写在此方法中
  12. @Override
  13. public Object call() throws Exception {
  14. int sum=0;
  15. for (int i = 1; i <100 ; i++) {
  16. if (i%2==0){
  17. System.out.println(i);
  18. sum+=i;
  19. }
  20. }
  21. return sum;
  22. }
  23. }
  24. public class ThreadNew {
  25. public static void main(String[] args) {
  26. //3.创建callable接口实现类的对象
  27. NumThread numThread=new NumThread();
  28. //4.将此callable接口实现类的对象作为参数传递到FutureTask构造器中,创建FutureTask的对象
  29. FutureTask futureTask = new FutureTask(numThread);
  30. //5.将FutureTask的对象作为参数传递到Thread类的构造器中,创建Thread对象,并调用start()
  31. new Thread(futureTask).start();
  32. try {
  33. //6.获取Callable中call方法的返回值
  34. Object sum=futureTask.get();
  35. System.out.println("总和为:"+sum);
  36. } catch (InterruptedException e) {
  37. e.printStackTrace();
  38. } catch (ExecutionException e) {
  39. e.printStackTrace();
  40. }
  41. }
  42. }

方式二:使用线程池

好处:1.提高响应速度(减少线程创建时间)
2.降低资源消耗(重复利用线程池中线程,不需要每次都创建)
3.便于管理
corePoolSize:核心池大小
maximumPoolSize:最大线程数
keepAliveTime:线程没有任务时最多保持多长时间会终止

9常用类

字符串相关类

String

String类:代表字符串,字符串是常量用双引号引起来表示
String实现了Serializable接口:表示字符串是支持序列化的
实现了Comparable接口:表示String可比较大小
String对象的字符内容是存储在一个字符数组value[]中 fianl char[] value
String类是一个final类,代表不可变的字符序列,不可被继承
体现:当对字符串重新赋值,需要重新指定内存区域,不能使用原有的value赋值
当对现有字符串进行连接操作时,也需要重新指定内存区域赋值
当调用String的replace方法修改指定字符或字符串时,也需要重新指定内存区域赋值
通过字面量的方式给一个字符串赋值,此时的字符串值声明在字符串常量池中
常量池中不会存放相同内容的字符串

String实例化的方式

方式一:通过字面量定义的方式
方式二:通过new+构造器的方式

  1. @Test
  2. public void test(){
  3. String s1="javaee";
  4. String s2="hadoop";
  5. String s3="javaeehadoop";
  6. String s4="javaee"+"hadoop";
  7. String s5=s1+"hadoop";
  8. String s6="javaee"+s2;
  9. String s7=s1+s2;
  10. String s8=s5.intern();//返回值得到的s8使用的是常量池中已经存在的"javaeehadoop"
  11. System.out.println(s3==s4);//true
  12. System.out.println(s3==s5);//false
  13. System.out.println(s3==s6);//false
  14. System.out.println(s3==s6);//false
  15. System.out.println(s3==s7);//false
  16. System.out.println(s5==s6);//false
  17. System.out.println(s5==s7);//false
  18. System.out.println(s6==s7);//false
  19. System.out.println(s3==s8);//true
  20. }

结论:常量与常量的拼接结果在常量池中,且常量池中不会存在相同内容的常量
只要其中有一个变量,结果就在堆中
如果拼接的结果调用intern()方法,返回值就在常量池中

String的常用方法1

int length():返回字符串长度:return value.length
char charAt(int index):返回某索引处的字符 return value[index]
boolean isEmpty():判断是否是空字符串:return value.length==0
String toLowerCase():使用默认语言环境,将String中的所有字符转换为小写
String toUpperCase():使用默认语言环境,将String中的所有字符转换为大写
String trim():返回字符串的副本,忽略前导空白和尾部空白
boolean equals(Object obj):比较字符串的内容是否相同
boolean equalsIgnoreCase(String anotherString):与equals方法类似,忽略大小写
String concat(String str):将指定字符串连接到此字符串结尾,等价于用“+”
int compareTo(String anotherString):比较两个字符串大小
String substring(int beginIndex):返回一个新字符串,他是此字符串的从beginIndex开始截取
String substring(int beginIndex,int endIndex):返回一个新字符串,他是此字符串的从beginIndex到endIndex(不包含)截取

  1. @Test
  2. public void test2(){
  3. /*
  4. int length():返回字符串长度:return value.length
  5. char charAt(int index):返回某索引处的字符 return value[index]
  6. boolean isEmpty():判断是否是空字符串:return value.length==0
  7. String toLowerCase():使用默认语言环境,将String中的所有字符转换为小写
  8. String toUpperCase():使用默认语言环境,将String中的所有字符转换为大写
  9. String trim():返回字符串的副本,忽略前导空白和尾部空白
  10. boolean equals(Object obj):比较字符串的内容是否相同
  11. boolean equalsIgnoreCase(String anotherString):与equals方法类似,忽略大小写
  12. String concat(String str):将指定字符串连接到此字符串结尾,等价于用“+”
  13. int compareTo(String anotherString):比较两个字符串大小
  14. String substring(int beginIndex):返回一个新字符串,他是此字符串的从beginIndex开始截取
  15. String substring(int beginIndex,int endIndex):返回一个新字符串,他是此字符串的从beginIndex到endIndex(不包含)截取
  16. */
  17. String s1="Helloworld";
  18. String s2="helloworld";
  19. System.out.println(s1.length());
  20. System.out.println(s1.charAt(5));
  21. System.out.println(s1.isEmpty());
  22. System.out.println(s1.toUpperCase());
  23. System.out.println(s1.toLowerCase());
  24. String s3=" he l o wo rld ";
  25. String s4 = s3.trim();//去除首尾空格
  26. System.out.println(s3);
  27. System.out.println(s4);
  28. System.out.println(s1.equals(s2));
  29. System.out.println(s1.equalsIgnoreCase(s2));
  30. String s5="abc";
  31. String s6=s1.concat(s5);
  32. System.out.println(s6);
  33. String s7="abd";
  34. System.out.println(s5.compareTo(s7));
  35. String s8=s1.substring(3);
  36. System.out.println(s8);
  37. String s9=s1.substring(3,6);
  38. System.out.println(s9);
  39. }

String的常用方法2

boolean endsWith(String suffix):测试此字符串是否以指定的后缀结束
boolean startsWith(String prefix):测试此字符串是否以指定的前缀开始
boolean startsWith(String prefix,int toffset):测试此字符串从指定索引开始的子字符串是否以指定前缀开始
boolean contains(CharSequence s):当且仅当此字符串包含指定的char值序列时,返回true
int indexOf(String str):返回指定子字符串在此字符串中第一次出现处的索引
int indexOf(String str,int formIndex):返回指定子字符串在此字符串中第一次出现处的索引,从指定的索引开始
int lastIndexOf(String str):返回指定子字符串在此字符串中最右边出现处的索引
int lastIndexOf(String str,int formIndex):返回指定子字符串在此字符串中最右边出现处的索引,从指定的索引开始
indexOf和lastIndexOf方法如果未找到都返回-1

  1. public void test3(){
  2. /*
  3. boolean endsWith(String suffix):测试此字符串是否以指定的后缀结束
  4. boolean startsWith(String prefix):测试此字符串是否以指定的前缀开始
  5. boolean startsWith(String prefix,int toffset):测试此字符串从指定索引开始的子字符串是否以指定前缀开始
  6. */
  7. String str1="helloworld";
  8. System.out.println(str1.endsWith("ld"));
  9. System.out.println(str1.startsWith("he"));
  10. System.out.println(str1.startsWith("ll", 2));
  11. String str2="wo";
  12. System.out.println(str1.contains(str2));
  13. System.out.println(str1.indexOf(str2));
  14. System.out.println(str1.indexOf(str2,6));
  15. }

什么情况下,indexOf(str)和lastIndexOf(str)返回值相同?
情况一:只存在一个str 情况二:不存在str

String的常用方法3

  1. 替换:<br />String replace(char oldChar, char newChar):返回一个新的字符串它是通过用newChar替换此字符串中出现的所有oldChar得到的。<br />String replace(CharSequence target,CharSequence replacement):使用指定的字面值替换序列替换此字符串所有匹配字面值目标序列的子字符串。<br />String replaceAll(String regexString replacement):使用给定的replacement替换此字符串所有匹配给定的正则表达式的子字符串。<br />String replaceFirst(String regexString replacement):使用给定的replacement替换此字符串匹配给定的正则表达式的第一个子字符串。<br />string split(String regex):根据给定正则表达式的匹配拆分此字符串<br />匹配:<br />boolean matches(String regex):告知此字符串是否匹配给定的正则表达式。<br />切片:<br />string split(String regex):根据给定正则表达式的匹配拆分此字符串<br />Stringl split(String regex int limit):根据匹配给定的正则表达式来拆分此字符串,最多不超过limit个,如果超过了,剩下的全部都放到最后一个元素中。
  1. @Test
  2. public void test4(){
  3. /*
  4. 替换:
  5. String replace(char oldChar, char newChar):返回一个新的字符串它是通过用newChar替换此字符串中出现的所有oldChar得到的。
  6. String replace(CharSequence target,CharSequence replacement):使用指定的字面值替换序列替换此字符串所有匹配字面值目标序列的子字符串。
  7. String replaceAll(String regex,String replacement):使用给定的replacement替换此字符串所有匹配给定的正则表达式的子字符串。
  8. String replaceFirst(String regex,String replacement):使用给定的replacement替换此字符串匹配给定的正则表达式的第一个子字符串。
  9. string split(String regex):根据给定正则表达式的匹配拆分此字符串
  10. 匹配:
  11. boolean matches(String regex):告知此字符串是否匹配给定的正则表达式。
  12. 切片:
  13. string split(String regex):根据给定正则表达式的匹配拆分此字符串
  14. Stringl split(String regex, int limit):根据匹配给定的正则表达式来拆分此字符串,最多不超过limit个,如果超过了,剩下的全部都放到最后一个元素中。
  15. */
  16. String str1="甘肃某某某";
  17. String str2 = str1.replace('某', '谋');
  18. System.out.println(str1);
  19. System.out.println(str2);
  20. String str3 = str1.replace("甘肃", "天津");
  21. System.out.println(str3);
  22. String str4="123java456mysql78web9";
  23. //把字符串数字替换为逗号,并且结果开头或结尾有逗号要去掉
  24. String str5 = str4.replaceAll("\\d+", ",").replaceAll("^,|,$", "");
  25. System.out.println(str5);
  26. String str6="123456";
  27. //判断字符串是不是全部由数字组成
  28. System.out.println(str6.matches("\\d+"));
  29. String str7="0571-4534289";
  30. //判断是否为一个杭州的固定电话
  31. System.out.println(str7.matches("0571-\\d{7,8}"));
  32. String str8="hello|world|java";
  33. String [] strs=str8.split("\\|");
  34. for (int i = 0; i <strs.length; i++) {
  35. System.out.println(strs[i]);
  36. }
  37. String str9="hello.world.java";
  38. String [] strings=str9.split("\\.",2);
  39. for (int i = 0; i <strings.length ; i++) {
  40. System.out.println(strings[i]);
  41. }
  42. }

String与基本数据类型、包装类之间的转换

String—->基本数据类型、包装类:调用包装类的静态方法:parseXxx(str)
基本数据类型、包装类—->String:调用Sting承载的valueOf(xxx)方法

  1. @Test
  2. public void test5(){
  3. String s1="123";
  4. int i = Integer.parseInt(s1);
  5. String str2 = String.valueOf(i);
  6. }

String与char[]之间的转换

String—->char[]:调用String的toCharArray()
char[]—->String:调用String的构造器

  1. @Test
  2. public void test6() {
  3. String str1 = "abc123";
  4. char[] chars = str1.toCharArray();
  5. for (int i = 0; i < chars.length; i++) {
  6. System.out.println(chars[i]);
  7. }
  8. char[] chars1= new char[]{'h', 'e', 'l', 'l', 'o'};
  9. String string = new String(chars1);
  10. System.out.println(string);
  11. }

String和byte[]之间的转换

string—->byte[]:调用String的getBytes()
byte[]——->String :调用String的构造器
编码:字符串—->字节(看得懂—->看不懂的二级制数据)
解码:字节—->字符串(看不懂的二进制—->看得懂)
说明:解码时,要求解码使用的字符集必须与编码使用的字符集相同,否则会出现乱码

  1. @Test
  2. public void test7() throws UnsupportedEncodingException {
  3. String str1="abc123中国";
  4. byte[] bytes=str1.getBytes();
  5. System.out.println(Arrays.toString(bytes));//使用默认字符集转换
  6. byte[] gbks= new byte[0];
  7. try {
  8. gbks = str1.getBytes("gbk");//使用gbk字符集转换
  9. } catch (UnsupportedEncodingException e) {
  10. e.printStackTrace();
  11. }
  12. System.out.println(Arrays.toString(gbks));
  13. String str2=new String(bytes);//使用默认字符集解码
  14. System.out.println(str2);
  15. String str3=new String(gbks);//出现乱码。原因:编码集和解码集不一致
  16. System.out.println(str3);
  17. String str4=new String(gbks,"gbk");
  18. System.out.println(str4);
  19. }

StringBuffer和StringBuilder

String、StringBuffer、StringBuilder的异同

String:不可变的字符序列;底层使用char[]存储
StringBuffer:可变的字符序列;线程安全的,效率低;底层使用char[]存储
StringBuilder:可变的字符序列;jdk5.0新增,线程不安全的,效率高;底层使用char[]存储

源码分析:

String str=new String();//new char [0];
String str1=new String(“abc”);new char[]{‘a’,’b’,’c’}
StringBuffer sbq1=new StringBuffer();//new char[16];底层创建了一个长度为16的数组
sb1.append(‘a’);//value[0]=’a’;
sb1.append(‘b’);//value[1]=’b’;
StringBuffer sb2=new StringBuffer(“abc”);//char[] value=new char[“abc”.length+16]
//问题一:SYstem.out.println(sb2.length);//3
//问题二:扩容问题:如果要添加的数据底层数组盛不下了,那就需要扩容底层的数组
默认情况下扩容为原来的2倍+2,同时将原有数组中的元素复制到新的数组中
指导意义:开发中建议使用:StringBuffer(int capacity)或StringBuilder(int capacity)

StringBuffer的常用方法:

stringBuffer append(xxx):提供了很多的append()方法,用于进行字符串拼接
StringBuffer delete(int start,int end):删除指定位置的内容
StringBuffer repLace(int start, int end,string str):把[start,end)位置替换为str
StringBuffer insert(int offset, xxx):在指定位置插入xxx
StringBuffer reverse() :把当前字符序列逆转
public int indexof(String str):返回当前字符的索引
public string substring(int start,int end):返回一个[start,end)的子字符串
public int length()
public char charAt(int n )
public void setCharAt(int n ,char ch):修改指定位置字符
总结:增:append(xxx)
删:delete(int start,int end)
改:setCharAt(int n ,char ch);repLace(int start, int end,string str);
查:charAt(int n )
插:insert(int offset, xxx)
长度:length()
遍历:for()+charAt

  1. @Test
  2. public void test(){
  3. StringBuffer s1=new StringBuffer("abc");
  4. s1.append("1");
  5. s1.append(1);
  6. System.out.println(s1);
  7. // s1.delete(2,4);
  8. // s1.replace(2,4,"hello");
  9. // s1.insert(2,"false");
  10. // s1.reverse();
  11. String s2=s1.substring(1,3);
  12. System.out.println(s2);
  13. }

String、StringBuffer、StringBuilder三者效率对比
StringBuilder>StringBuffer>String

常见算法题目

1.模拟一个trim方法,去除字符串两端的空格

2.将一个字符串进行反转。将字符串指定部分反转。

  1. public class StringDemo {
  2. //方法一:先转换为char[]
  3. public String reverse(String str,int startIndex,int endIndex){
  4. if (str!=null){
  5. char[] arr = str.toCharArray();
  6. for (int x=startIndex,y=endIndex;x<y;x++,y--){
  7. char temp=arr[x];
  8. arr[x]=arr[y];
  9. arr[y]=temp;
  10. }
  11. return new String(arr);
  12. }
  13. return null;
  14. }
  15. //方法二:String的拼接操作
  16. public String reverse1(String str,int startIndex,int endIndex){
  17. if (str!=null){
  18. String reverseStr=str.substring(0,startIndex);
  19. for (int i=endIndex;i>=startIndex;i--){
  20. reverseStr+=str.charAt(i);
  21. }
  22. reverseStr+=str.substring(endIndex+1);
  23. return reverseStr;
  24. }
  25. return null;
  26. }
  27. //方法三:使用StringBuffer、StringBuilder替换String
  28. public String reverse2(String str,int startIndex,int endIndex){
  29. if (str!=null){
  30. StringBuilder builder=new StringBuilder(str.length());
  31. builder.append(str.substring(0,startIndex));
  32. for (int i=endIndex;i>=startIndex;i--){
  33. builder.append(str.charAt(i));
  34. }
  35. builder.append(str.substring(endIndex+1));
  36. return builder.toString();
  37. }
  38. return null;
  39. }
  40. @Test
  41. public void test(){
  42. String s="abcdefg";
  43. String reverse=reverse1(s,2,5);
  44. System.out.println(reverse);
  45. }
  46. }

3.获取一个字符串在另一个字符串中的次数

  1. public class StringDemo1 {
  2. /*
  3. 获取一个字符串在另一个字符串中的字数
  4. 如“ab"在"abkkcadkabfkabkskab"
  5. */
  6. /**
  7. 获取sunStr在mainStr中出现的次数
  8. * @param mainStr
  9. * @param subStr
  10. * @return
  11. */
  12. public int getCount(String mainStr,String subStr){
  13. int mainLength=mainStr.length();
  14. int subLength=subStr.length();
  15. int count=0;
  16. int index=0;
  17. if (mainLength>=subLength){
  18. //方法一:
  19. // while ((index=mainStr.indexOf(subStr))!=-1){
  20. // count++;
  21. // mainStr=mainStr.substring(index+subStr.length());
  22. // }
  23. //方法二:
  24. while ((index=mainStr.indexOf(subStr,index))!=-1){
  25. count++;
  26. index+=subLength;
  27. }
  28. return count;
  29. }else {
  30. return 0;
  31. }
  32. }
  33. @Test
  34. public void test(){
  35. String mainStr="abkkcadkabfkabkskab";
  36. String subStr="ab";
  37. int count = getCount(mainStr, subStr);
  38. System.out.println(count);
  39. }
  40. }

4.获取两个字符串中最大相同子串

  1. public class StringDemo2 {
  2. /*
  3. 获取两个字符串中最大相同子串
  4. 如str1=“abcwerthelloyuiodef”,str2="cvhellobnm"
  5. 提示:将短的字符串进行长度一次递减的子串与较长的串比较
  6. */
  7. public String getMaxString(String str1,String str2){
  8. if(str1!=null&&str2!=null){
  9. String MaxString = (str1.length()>= str2.length()) ? str1 : str2;
  10. String MinString = (str1.length() < str2.length()) ? str1 : str2;
  11. for (int i=0;i<MinString.length();i++){
  12. for (int x = 0, y =MinString.length()-i;y<=MinString.length();x++,y++){
  13. System.out.println(x+"::::"+y);
  14. String subStr = MinString.substring(x, y);
  15. if (MaxString.contains(subStr)){
  16. return subStr;
  17. }
  18. }
  19. }
  20. }
  21. return null;
  22. }
  23. @Test
  24. public void test(){
  25. String str1="abcwerthelloyuiodef";
  26. String str2="cvhellobnm";
  27. String maxStr = getMaxString(str1, str2);
  28. System.out.println(maxStr);
  29. }
  30. }

jdk8之前的日期时间API

java.lang.System类

1.System类中的currentTimeMillis()

System类中提供的public static long currentTimeMillis()用来返回当前时间与1970年1月1日0时0分0秒之间的以毫秒为单位的时间差值
称为时间戳

  1. @Test
  2. public void test(){
  3. long time=System.currentTimeMillis();
  4. System.out.println(time);
  5. }

java.util.date类

1.两个构造器的使用
》//构造器一:创建了一个对应当前时间的Date对象
》//构造器二:创建指定毫秒数的Date对象
2.两个方法的使用
》tostring():显示当前的年月日时分秒
》getTime():获取当前Date对象对应的毫秒数。时间戳

  1. @Test
  2. public void test1(){
  3. //构造器一:创建了一个对应当前时间的Date对象
  4. Date date1 = new Date();
  5. System.out.println(date1.toString());
  6. System.out.println(date1.getTime());
  7. //构造器二:创建指定毫秒数的Date对象
  8. Date date2 = new Date(1645429322318L);
  9. System.out.println(date2);
  10. }

java.sql.Date对应着数据库中的日期类型变量

如何实例化

  1. java.sql.Date date3 = new java.sql.Date(2323235656424L);//2043-08-15

util.Date>>>sql.Date对象

  1. //情况一:
  2. Date date4=new java.sql.Date(2323235656424L);
  3. java.sql.Date date5=(java.sql.Date)date4;
  4. //情况二:
  5. Date date6=new Date();
  6. java.sql.Date date7=new java.sql.Date(date6.getTime());

SimpleDateFormat

SimpleDateFormat的使用:SimpleDateFormat对日期Date类的格式化和解析
1.两个操作:
1.1格式化:日期——》指定格式的字符串
1.2解析:格式化的逆过程,字符串—->日期
2.SimpleDateFormat的实例化
```java

  1. @Test
  2. public void testSimpleDateFormat() throws ParseException {
  3. //实例化SimpleDateFormat
  4. SimpleDateFormat sdf = new SimpleDateFormat();
  5. //格式化
  6. Date date = new Date();
  7. System.out.println(date);
  8. String format = sdf.format(date);
  9. System.out.println(format);
  10. //解析
  11. String str="22/2/22 上午2:22";
  12. Date date1 = sdf.parse(str);
  13. System.out.println(date1);
  14. //***********按照指定方式格式化和解析************************
  15. SimpleDateFormat sdf1=new SimpleDateFormat("yyyy-MM-dd hh:mm:ss");
  16. //格式化
  17. String format1 = sdf1.format(date);
  18. System.out.println(format1);
  19. Date date2 = sdf1.parse("2022-02-22 04:56:22");
  20. System.out.println(date2);
  21. }
  1. <a name="G5Tfs"></a>
  2. ### Calendar(日历)类
  3. _Calendar日历类(抽象类)的使用_
  4. ```java
  5. @Test
  6. public void testCalendar(){
  7. //实例化
  8. //方式一:创建子类(GregorianCalender)的对象
  9. //方式二:调用其静态方法getInstance
  10. Calendar instance = Calendar.getInstance();
  11. System.out.println(instance.getClass());
  12. //常用方法
  13. //get()
  14. int days = instance.get(instance.DAY_OF_MONTH);
  15. System.out.println(days);
  16. System.out.println(instance.get(instance.DAY_OF_YEAR));
  17. //set()
  18. instance.set(instance.DAY_OF_MONTH,22);
  19. days=instance.get(instance.DAY_OF_MONTH);
  20. System.out.println(days);
  21. //add()
  22. instance.add(instance.DAY_OF_MONTH,3);
  23. days=instance.get(instance.DAY_OF_MONTH);
  24. System.out.println(days);
  25. //getTime():日历类----》》Date
  26. Date date = instance.getTime();
  27. System.out.println(date);
  28. //setTime():Date--->>日历类
  29. Date date1 = new Date();
  30. instance.setTime(date1);
  31. System.out.println(instance.get(instance.DAY_OF_MONTH));
  32. }

jdk8中新日期时间API

背景
可变性:像日期时间这样的类应该都是不可变的。
偏移量:Date中年份是从1900年开始的,月份都是从0开始的
格式化:格式化只对Date有用,对Calendar则不行
此外,他们也不是线程安全的,不能处理闰秒等

LocalDate、LocalTime、LocalDateTime的使用

  1. @Test
  2. public void test1(){
  3. //now():获取当前时间日期、时间或者日期加时间
  4. LocalDate nowDate = LocalDate.now();
  5. LocalTime nowTime = LocalTime.now();
  6. LocalDateTime nowDateTime = LocalDateTime.now();
  7. System.out.println(nowDate);
  8. System.out.println(nowTime);
  9. System.out.println(nowDateTime);
  10. //of():设置指定日期时间没有偏移量
  11. LocalDateTime localDateTime1 = LocalDateTime.of(2020, 10, 12, 13, 23, 53);
  12. System.out.println(localDateTime1);
  13. //getXxx():获取相关属性
  14. System.out.println(nowDateTime.getMonth());
  15. System.out.println(nowDateTime.getDayOfMonth());
  16. System.out.println(nowDateTime.getDayOfWeek());
  17. System.out.println(nowDateTime.getMonthValue());
  18. //withXxx():设置相关的属性(体现不可变性)
  19. LocalDate localDate = nowDate.withDayOfMonth(23);
  20. System.out.println(localDate);
  21. System.out.println(nowDate);
  22. LocalDateTime localDateTime = nowDateTime.withHour(3);
  23. System.out.println(localDateTime);
  24. System.out.println(nowDateTime);
  25. }

Instant 瞬时

时间线上的一个瞬时点。可能被用来记录应用程序中事件时间戳

  1. @Test
  2. public void test2(){
  3. //now():获取本初子午线对应的标准时间
  4. Instant instant = Instant.now();
  5. System.out.println(instant);
  6. //添加时间的偏移量
  7. OffsetDateTime offsetDateTime = instant.atOffset(ZoneOffset.ofHours(8));
  8. System.out.println(offsetDateTime);
  9. //toEpochMilli():获取自1970年1月1日0时0分0秒(UTC)开始的毫秒数
  10. long toEpochMilli = instant.toEpochMilli();
  11. System.out.println(toEpochMilli);
  12. //ofEpochMilli():通过给定的毫秒数获取Instant实例-->Date(Long millis)
  13. Instant instant1 = instant.ofEpochMilli(1650285961834L);
  14. System.out.println(instant1);
  15. }

DateTimeFormatter

格式化解析日期时间(类似于SimpleDateFormat)

  1. @Test
  2. public void test3(){
  3. //实例化方式:
  4. //方式一:预定义的标准格式。如:IOS_LOCAL_DATE_TIME;IOS_LOCAL_DATE:IOS_LOCAL_TIME
  5. DateTimeFormatter formatter=DateTimeFormatter.ISO_LOCAL_DATE_TIME;
  6. //格式化:日期->字符串
  7. LocalDateTime localDateTime=LocalDateTime.now();
  8. String format = formatter.format(localDateTime);
  9. System.out.println(localDateTime);
  10. System.out.println(format);
  11. //解析:字符串->日期:
  12. TemporalAccessor parse = formatter.parse(format);
  13. System.out.println(parse);
  14. //方式二:本地化相关格式。如:ofLocalizedDateTime()
  15. //FormatStyle.LONG/FormatStyle.MEDIUM/FormatStyle.SHORT
  16. DateTimeFormatter formatter1 = DateTimeFormatter.ofLocalizedDateTime(FormatStyle.SHORT);
  17. //格式化
  18. String format1 = formatter1.format(localDateTime);
  19. System.out.println(format1);
  20. //解析
  21. TemporalAccessor parse1 = formatter1.parse(format1);
  22. System.out.println(parse1);
  23. //ofLocalizedDate()
  24. //FormatStyle.FULL/FormatStyle.LONG/FormatStyle.MEDIUM/FormatStyle.SHORT:适用于LocalDate
  25. DateTimeFormatter formatter2 = DateTimeFormatter.ofLocalizedDate(FormatStyle.FULL);
  26. //格式化
  27. LocalDate localDate = LocalDate.now();
  28. String format2 = formatter2.format(localDate);
  29. System.out.println(format2);
  30. //解析
  31. TemporalAccessor parse2 = formatter2.parse(format2);
  32. System.out.println(parse2);
  33. //方式三:自定义格式.如:ofPattern("yyyy-MM-dd hh:mm:ss")
  34. DateTimeFormatter formatter3 = DateTimeFormatter.ofPattern("yyyy-MM-dd hh:mm:ss");
  35. //格式化
  36. String format3 = formatter3.format(localDateTime);
  37. System.out.println(format3);
  38. //解析
  39. TemporalAccessor parse3 = formatter3.parse(format3);
  40. System.out.println(parse3);
  41. }

其他API

Zoneld:包含所有的时区信息,一个时区的ID
ZoneldDateTime:一个在IOS-8601日历系统时区的日期时间
Clock:使用时区提供对当前即时、日期和时间的访问时钟
持续时间:Duration:用于计算两个时间间隔
日期间隔:Period:用于计算两个日期间隔
TempporalAdjuster:时间校正器。
TempporalAdjuster:通过静态方法提供大量的常用TemporalAdjuster的实现

与传统日期的处理转换

image.png

java比较器

一、说明:Java中的对象,正常情况下,只能进行比较: ==或!=。不能使用〉或<的但是在开发场景中,我们需要对多个对象进行排序,言外之意,就需要比较对象的大小。如何实现﹖使用两个接口中的任何一个: Comparable或Comparator

Comparable

Comparable接口的使用举例:自然排序
1.像String、包装类等实现了Comparable接口,重写了compareTo(obj)方法,给出了比较两个对象大小的方式
2.像String、包装类重写CompareTo()方法以后,进行了从小到大的排列
3.重写CompareTo(obj)的规则:
如果当前对象this大于形参对象obj,则返回正整数,
如果当前对象this小于形参对象obj,则返回负整数,
如果当前对象this等于形参对象obj,则返回0
4.对于自定义类来说,如果需要排序,我们可以让自定义类实现Comparable接口,重写CompareTo(obj)方法,在CompareTo(obj)方法说明如何排序。

  1. @Test
  2. public void test1(){
  3. String[] arr=new String[]{"aa","bb","cc","KK","MM","GG"};
  4. Arrays.sort(arr);
  5. System.out.println(Arrays.toString(arr));
  6. }

例题

重写了CompareTo()方法,按照指定属性排序

  1. public class Goods implements Comparable{
  2. private String name;
  3. private double price;
  4. public Goods() {
  5. }
  6. public Goods(String name, double price) {
  7. this.name = name;
  8. this.price = price;
  9. }
  10. public String getName() {
  11. return name;
  12. }
  13. public void setName(String name) {
  14. this.name = name;
  15. }
  16. public double getPrice() {
  17. return price;
  18. }
  19. public void setPrice(double price) {
  20. this.price = price;
  21. }
  22. @Override
  23. public String toString() {
  24. return "Goods{" +
  25. "name='" + name + '\'' +
  26. ", price=" + price +
  27. '}';
  28. }
  29. //指明按照商品比较大小方式 :按价格从低到高
  30. @Override
  31. public int compareTo(Object o) {
  32. if(o instanceof Goods){
  33. Goods goods=(Goods)o;
  34. if (this.price>goods.price){
  35. return 1;
  36. }else if (this.price<goods.price){
  37. return -1;
  38. }else {
  39. return 0;
  40. }
  41. //方式二:
  42. //return Double.compare(this, price, goods.price);
  43. }
  44. throw new RuntimeException("传入的数据类型不一致!!!");
  45. }
  1. @Test
  2. public void test2(){
  3. Goods[] goods=new Goods[4];
  4. goods[0]=new Goods("leisheMouse",34);
  5. goods[1]=new Goods("dellMouse",43);
  6. goods[2]=new Goods("xiaomiMouse",12);
  7. goods[3]=new Goods("huaweiMouse",65);
  8. Arrays.sort(goods);
  9. System.out.println(Arrays.toString(goods));
  10. }

Comparator

1.背景:

当元素的类型没有实现java.lang.Comparable接口而又不方便修改代码,或者实现了java.lang.Comparable接口的排序规则不适合当前操作,那么可以考虑使用Comparator的对象排序

2.重写Compare(Object o1,Object o2)方法,比较o1和o2大小

如果返回正整数,则表示o1大于o2,如果返回负整数,表示o1小于o2,如果返回零,则表示相等

  1. @Test
  2. public void test3(){
  3. String[] arr=new String[]{"aa","bb","cc","KK","MM","GG"};
  4. Arrays.sort(arr, new Comparator<String>() {
  5. //按照字符串从大到小
  6. @Override
  7. public int compare(String o1, String o2) {
  8. if (o1 instanceof String && o2 instanceof String){
  9. String s1=(String) o1;
  10. String s2=(String) o2;
  11. return -s1.compareTo(s2);
  12. }
  13. throw new RuntimeException("输入数据类型不一致");
  14. }
  15. });
  16. System.out.println(Arrays.toString(arr));
  17. }

例题

Good类还是用之前那个

  1. @Test
  2. public void test4(){
  3. Goods[] goods=new Goods[5];
  4. goods[0]=new Goods("leisheMouse",34);
  5. goods[1]=new Goods("dellMouse",43);
  6. goods[2]=new Goods("xiaomiMouse",12);
  7. goods[3]=new Goods("huaweiMouse",65);
  8. goods[4]=new Goods("xiaomiMouse",20);
  9. Arrays.sort(goods, new Comparator<Goods>() {
  10. //指明商品比较大小的方式,按照产品名称价格从低到高,在按照价格从高到低
  11. @Override
  12. public int compare(Goods o1, Goods o2) {
  13. if (o1 instanceof Goods && o2 instanceof Goods){
  14. Goods g1=(Goods)o1;
  15. Goods g2=(Goods)o2;
  16. if (g1.getName().equals(g2.getName())){
  17. return -Double.compare(g1.getPrice(),g2.getPrice());
  18. }else{
  19. return g1.getName().compareTo(g2.getName());
  20. }
  21. }
  22. throw new RuntimeException("输入数据类型不一致");
  23. }
  24. });
  25. System.out.println(Arrays.toString(goods));
  26. }

Comparable接口和Comparator的使用对比

Comparable接口的方式一旦一定,保证Comparable接口实现类的对象在任何位置都可以比较大小
Comparable接口属于临时性比较

System类

  1. @Test
  2. public void test1(){
  3. String version = System.getProperty("java.version");
  4. System.out.println("java的version:"+version);
  5. String home= System.getProperty("java.home");
  6. System.out.println("java的home:"+home);
  7. String osHome = System.getProperty("os.home");
  8. System.out.println("os的home:"+osHome);
  9. String osversion = System.getProperty("osversion");
  10. System.out.println("os的version:"+osversion);
  11. String userName = System.getProperty("user.name");
  12. System.out.println("user的name:"+userName);
  13. String userHome = System.getProperty("user.home");
  14. System.out.println("user的home:"+userHome);
  15. String userDir = System.getProperty("user.dir");
  16. System.out.println("user的dir:"+userDir);
  17. }

Math类

image.png

BigInteger和BigDecimal

BigInteger

image.png
image.png

BigDecimal

image.png

  1. @Test
  2. public void test2(){
  3. BigInteger bigInteger=new BigInteger("12433241123");
  4. BigDecimal bigDecimal = new BigDecimal("12435.351");
  5. BigDecimal bigDecimal1 = new BigDecimal("11");
  6. System.out.println(bigInteger);
  7. //四舍五入
  8. System.out.println(bigDecimal.divide(bigDecimal1, BigDecimal.ROUND_HALF_UP));
  9. //保留25位小数位,四舍五入
  10. System.out.println(bigDecimal.divide(bigDecimal1, 25, BigDecimal.ROUND_HALF_UP));
  11. }

枚举类&注解

枚举类

一、枚举类的使用

1.类的对象只有有限个,确定的
2.当需要定义一组常量时,建议使用枚举类
3.如果枚举类中只有一个对象,它就可以作为一种单例模式的实现方式

二、如何定义枚举类

方式一:jdk5.0之前,自定义枚举类

  1. package Day21;
  2. /**
  3. * @author Lilei
  4. * @date 2022/4/28-@12:06
  5. */
  6. public class seasonTest {
  7. public static void main(String[] args) {
  8. Season spring = Season.SPRING;
  9. System.out.println(spring);
  10. }
  11. }
  12. class Season{
  13. //声明Season对象的属性:private final修饰
  14. private final String sName;
  15. private final String sDesc;
  16. //1.私有化构造器
  17. private Season(String sName,String sDesc){
  18. this.sName=sName;
  19. this.sDesc=sDesc;
  20. }
  21. //3.提供当前枚举类的多个对象:public static final修饰
  22. public static final Season SPRING=new Season("春天","出暖花开");
  23. public static final Season SUMMER=new Season("夏天","夏日炎炎");
  24. public static final Season AUTUMN=new Season("秋天","秋高气爽");
  25. public static final Season WINTER=new Season("冬天","冰天雪地");
  26. //4.其他诉求:获取枚举类对象的属性
  27. public String getsDesc() {
  28. return sDesc;
  29. }
  30. public String getsName() {
  31. return sName;
  32. }
  33. @Override
  34. public String toString() {
  35. return "Season{" +
  36. "sName='" + sName + '\'' +
  37. ", sDesc='" + sDesc + '\'' +
  38. '}';
  39. }
  40. }

方式二:jdk5.0,可以使用enum关键字定义枚举类

说明:定义的枚举类默认继承于java.lang.Enum

  1. package Day21;
  2. import exercise.Student1;
  3. /**
  4. * @author Lilei
  5. * @date 2022/4/28-@15:05
  6. */
  7. public class SeasonTest1 {
  8. public static void main(String[] args) {
  9. Season1 summer = Season1.SUMMER;
  10. System.out.println(summer);
  11. }
  12. }
  13. //enum关键字定义
  14. enum Season1 {
  15. //1.提供当前枚举类的多个对象:多个对象之间用逗号隔开,末尾对象分号结束
  16. SPRING("春天", "出暖花开"),
  17. SUMMER("夏天", "夏日炎炎"),
  18. AUTUMN("秋天", "秋高气爽"),
  19. WINTER("冬天", "冰天雪地");
  20. //声明Season对象的属性:private final修饰
  21. private final String sName;
  22. private final String sDesc;
  23. //1.私有化构造器
  24. private Season1(String sName, String sDesc) {
  25. this.sName = sName;
  26. this.sDesc = sDesc;
  27. }
  28. //4.其他诉求:获取枚举类对象的属性
  29. public String getsDesc() {
  30. return sDesc;
  31. }
  32. public String getsName() {
  33. return sName;
  34. }
  35. @Override
  36. public String toString() {
  37. return "Season{" +
  38. "sName='" + sName + '\'' +
  39. ", sDesc='" + sDesc + '\'' +
  40. '}';
  41. }
  42. }

三、Enum类的常用方法

values()方法:返回枚举类型的对象数组。该方法可以很方便的遍历所有的枚举值
valueOf(String str)方法:可以把一个字符串转为对应的枚举类对象。要求字符串必须是枚举类对象名
toString():返回当前枚举类对象的常量名

  1. package Day21;
  2. import exercise.Student1;
  3. /**
  4. * @author Lilei
  5. * @date 2022/4/28-@15:05
  6. */
  7. public class SeasonTest1 {
  8. public static void main(String[] args) {
  9. Season1 summer = Season1.SUMMER;
  10. //toString():
  11. System.out.println(summer);
  12. System.out.println("***************************************");
  13. //values():
  14. Season1[] values = Season1.values();
  15. for (int i = 0; i <values.length ; i++) {
  16. System.out.println(values[i]);
  17. }
  18. System.out.println("*******************************************");
  19. //valueOf():
  20. Season1 winter = Season1.valueOf("WINTER");
  21. System.out.println(winter);
  22. }
  23. }
  24. //enum关键字定义
  25. enum Season1 {
  26. //1.提供当前枚举类的多个对象:多个对象之间用逗号隔开,末尾对象分号结束
  27. SPRING("春天", "出暖花开"),
  28. SUMMER("夏天", "夏日炎炎"),
  29. AUTUMN("秋天", "秋高气爽"),
  30. WINTER("冬天", "冰天雪地");
  31. //声明Season对象的属性:private final修饰
  32. private final String sName;
  33. private final String sDesc;
  34. //1.私有化构造器
  35. private Season1(String sName, String sDesc) {
  36. this.sName = sName;
  37. this.sDesc = sDesc;
  38. }
  39. //4.其他诉求:获取枚举类对象的属性
  40. public String getsDesc() {
  41. return sDesc;
  42. }
  43. public String getsName() {
  44. return sName;
  45. }
  46. // @Override
  47. // public String toString() {
  48. // return "Season{" +
  49. // "sName='" + sName + '\'' +
  50. // ", sDesc='" + sDesc + '\'' +
  51. // '}';
  52. // }
  53. }

四、使用enum关键字定义的枚举类实现接口的情况

情况一:实现接口,在enum类中实现抽象方法

  1. package Day21;
  2. import exercise.Student1;
  3. /**
  4. * @author Lilei
  5. * @date 2022/4/28-@15:05
  6. */
  7. public class SeasonTest1 {
  8. public static void main(String[] args) {
  9. Season1 summer = Season1.SUMMER;
  10. // //toString():
  11. // System.out.println(summer);
  12. //
  13. // System.out.println("***************************************");
  14. // //values():
  15. // Season1[] values = Season1.values();
  16. // for (int i = 0; i <values.length ; i++) {
  17. // System.out.println(values[i]);
  18. //
  19. // }
  20. // System.out.println("*******************************************");
  21. // //valueOf():
  22. // Season1 winter = Season1.valueOf("WINTER");
  23. // System.out.println(winter);
  24. summer.show();
  25. }
  26. }
  27. interface info{
  28. void show();
  29. }
  30. //enum关键字定义
  31. enum Season1 implements info{
  32. //1.提供当前枚举类的多个对象:多个对象之间用逗号隔开,末尾对象分号结束
  33. SPRING("春天", "出暖花开"),
  34. SUMMER("夏天", "夏日炎炎"),
  35. AUTUMN("秋天", "秋高气爽"),
  36. WINTER("冬天", "冰天雪地");
  37. //声明Season对象的属性:private final修饰
  38. private final String sName;
  39. private final String sDesc;
  40. //1.私有化构造器
  41. private Season1(String sName, String sDesc) {
  42. this.sName = sName;
  43. this.sDesc = sDesc;
  44. }
  45. //4.其他诉求:获取枚举类对象的属性
  46. public String getsDesc() {
  47. return sDesc;
  48. }
  49. public String getsName() {
  50. return sName;
  51. }
  52. // @Override
  53. // public String toString() {
  54. // return "Season{" +
  55. // "sName='" + sName + '\'' +
  56. // ", sDesc='" + sDesc + '\'' +
  57. // '}';
  58. // }
  59. @Override
  60. public void show() {
  61. System.out.println("这是一个季节");
  62. }
  63. }

情况二:让枚举类的对象分别实现接口中的抽象方法

  1. package Day21;
  2. import exercise.Student1;
  3. /**
  4. * @author Lilei
  5. * @date 2022/4/28-@15:05
  6. */
  7. public class SeasonTest1 {
  8. public static void main(String[] args) {
  9. Season1 summer = Season1.SUMMER;
  10. // //toString():
  11. // System.out.println(summer);
  12. //
  13. // System.out.println("***************************************");
  14. //values():
  15. Season1[] values = Season1.values();
  16. for (int i = 0; i <values.length ; i++) {
  17. System.out.println(values[i]);
  18. values[i].show();
  19. }
  20. // System.out.println("*******************************************");
  21. // //valueOf():
  22. // Season1 winter = Season1.valueOf("WINTER");
  23. // System.out.println(winter);
  24. summer.show();
  25. }
  26. }
  27. interface info{
  28. void show();
  29. }
  30. //enum关键字定义
  31. enum Season1 implements info{
  32. //1.提供当前枚举类的多个对象:多个对象之间用逗号隔开,末尾对象分号结束
  33. SPRING("春天", "出暖花开"){
  34. @Override
  35. public void show() {
  36. System.out.println("春天在哪里?");
  37. }
  38. },
  39. SUMMER("夏天", "夏日炎炎"){
  40. @Override
  41. public void show() {
  42. System.out.println("夏日炎炎,有你超甜");
  43. }
  44. },
  45. AUTUMN("秋天", "秋高气爽"){
  46. @Override
  47. public void show() {
  48. System.out.println("秋天是个分手的季节");
  49. }
  50. },
  51. WINTER("冬天", "冰天雪地"){
  52. @Override
  53. public void show() {
  54. System.out.println("大约在冬季");
  55. }
  56. };
  57. //声明Season对象的属性:private final修饰
  58. private final String sName;
  59. private final String sDesc;
  60. //1.私有化构造器
  61. private Season1(String sName, String sDesc) {
  62. this.sName = sName;
  63. this.sDesc = sDesc;
  64. }
  65. //4.其他诉求:获取枚举类对象的属性
  66. public String getsDesc() {
  67. return sDesc;
  68. }
  69. public String getsName() {
  70. return sName;
  71. }
  72. // @Override
  73. // public String toString() {
  74. // return "Season{" +
  75. // "sName='" + sName + '\'' +
  76. // ", sDesc='" + sDesc + '\'' +
  77. // '}';
  78. // }
  79. // @Override
  80. // public void show() {
  81. // System.out.println("这是一个季节");
  82. // }
  83. }

注解

注解(Annotation)的概述

jdk 5.0新增
Annotation其实就是代码的特殊标记
可用于修饰包、类、构造器、方法、成员变量、参数、局部变量的声明

常见的Annotation示例

示例一:生成文档相关的注解

示例二:在编译时进行格式检查(JDK内置的三个基本注解)

@Override:限定重写父类的方法
@Deprecated:用于表示所修饰的元素(类,方法等)已过时。
@Suppresswarnings:抑制编译器警告

示例三:跟踪代码依赖性,实现替代配置文件功能

如何自定义注解

注解声明为:@interface
自动继承了java.lang.annotation.Annotation接口
成员变量的以无参数方法的形式来声明。类型只能是八种基本数据类型、String类型、Class类型、enum类型、Annotation类型、以上所有类型的数组
指定成员变量的初始值可以使用default关键字
如果只有一个参数成员,建议使用参数名为value
没有成员定义的Annotation称为标记
自定义注解必须配上注解的信息处理流程(使用反射)才有意义
自定义注解一般都会指明两个元注解Retention、Target

jdk提供的四种元注解

jdk的元Annotation修饰其他Annotation定义(对现有的注解进行解释说明的注解)

Retention

@Retention:只能用于修饰一个Annotation定义,用于指定该Annotation的生命周期。包含一个RetentionPolicy类型的成员变量,使用时必须为该成员变量指定值
SOURCE\CLASS(默认行为)\RUNTIME
只有声明为RUNTIME生命周期的注解才能通过反射获取。

Target

@Target用于修饰Annotation定义,用于指定被修饰的Annotation能用于修饰哪些程序元素。也包含一个名为value的成员变量

Documented

用于指定被该元注解修饰的注解类将被javadoc工具提取成文档(被javadoc解析式保留下来)。默认情况下,javadoc是不包括注解的

Inherited

被它修饰的Annotation将具有继承性,子类自动具有该注解

通过反射获取注解信息

jdk 8 中注解的新特性:可重复注解、类型注解

可重复注解

在MyAnnotation上声明@Repeatable(),成员值为MyAnnotations.class
MyAnnotation的Target和Retention和MyAnnotations相同

  1. @Inherited
  2. @Repeatable(MyAnnotations.class)
  3. @Retention(RetentionPolicy.RUNTIME)
  4. @Target({ElementType.TYPE,ElementType.FIELD,ElementType.METHOD,ElementType.PARAMETER,ElementType.CONSTRUCTOR,ElementType.LOCAL_VARIABLE})
  5. public @interface MyAnnotation {
  6. String value() default "hello";
  7. }
  1. @Target({ElementType.TYPE,ElementType.FIELD,ElementType.METHOD,ElementType.PARAMETER,ElementType.CONSTRUCTOR,ElementType.LOCAL_VARIABLE})
  2. @Retention(RetentionPolicy.RUNTIME)
  3. public @interface MyAnnotations {
  4. MyAnnotation[] value();
  5. }

类型注解

ElementType.TYPE_PARAMETER:表示该注解能写在类型变量的声明语句中
ElementType.TYPE_USE:表示该注解能写在使用类型的任何语句中

  1. @Inherited
  2. @Repeatable(MyAnnotations.class)
  3. @Retention(RetentionPolicy.RUNTIME)
  4. @Target({ElementType.TYPE_PARAMETER,ElementType.TYPE,ElementType.FIELD,ElementType.METHOD,ElementType.PARAMETER,ElementType.CONSTRUCTOR,ElementType.LOCAL_VARIABLE,ElementType.TYPE_USE})
  5. public @interface MyAnnotation {
  6. String value() default "hello";
  7. }
  1. class Generic<@MyAnnotation T>{
  2. public void show()throws @MyAnnotation RuntimeException{
  3. ArrayList<@MyAnnotation String> list=new ArrayList<>();
  4. int num=(@MyAnnotation int) 10L;
  5. }
  6. }

java集合

集合框架的概述

1.集合、数组都是对多个数据进行存储操作的结构,简称java容器
说明:此时的存储,主要指内存层面的存储,不涉及持久化存储(.txt,.jpg,.avi,数据库中)
2.1数组在存储多个数据方面的特点
>一旦初始化以后,其长度就确定了
>数组一旦定义好,其元素的类型也就确定了。我们也就只能操作指定类型的数据了。比如:String[] arr;int[] arr1;Object[] arr2;
2.2数组在存储多个数据方面的缺点:
>一旦初始化以后,其长度不可修改
>数组中提供的方法非常有限,对于添加、删除、插入数据等操作,非常不便,同时效率不高
>获取数组中实际元素的个数,数组没有现成的属性或方法可用
>数组存储数据的特点:有序、可重复。对于无序、不可重复的需求,不能满足

Collection接口中声明方法的测试

向Collection接口的实现类的对象中添加数据obj时,要求obj所在类要重写equals()方法

  1. @Test
  2. public void test(){
  3. Collection coll=new ArrayList();
  4. //add(Object e):将元素e添加到集合中
  5. coll.add(123);
  6. coll.add(456);
  7. coll.add(new String("Tom"));
  8. coll.add(false);
  9. coll.add(new Person("jerry",20));
  10. //size():获取添加的元素的个数
  11. System.out.println(coll.size());//4
  12. //addAll(Collection coll1):将coll1中的元素添加到当前集合中
  13. Collection coll1= Arrays.asList("AA","BB");
  14. coll.addAll(coll1);
  15. System.out.println(coll.size());//6
  16. System.out.println(coll);
  17. //clear():清空集合元素
  18. coll.clear();
  19. //isEmpty():判断当前集合是否为空
  20. System.out.println(coll.isEmpty());
  21. }
  1. @Test
  2. public void test1(){
  3. Collection coll=new ArrayList();
  4. //add(Object e):将元素e添加到集合中
  5. coll.add(123);
  6. coll.add(456);
  7. coll.add(new String("Tom"));
  8. coll.add(false);
  9. coll.add(new Person("jerry",20));
  10. //contains(Object obj):判断当前集合是否包含obj
  11. boolean contains = coll.contains(123);
  12. System.out.println(contains);//true
  13. System.out.println(coll.contains(new String("Tom")));//true
  14. System.out.println(coll.contains(new Person("jerry",20)));
  15. //containsAll(Collection coll1):判断coll1中所有的元素是否都在当前集合中
  16. Collection coll1= Arrays.asList(123,456);
  17. System.out.println(coll.containsAll(coll1));
  18. }
  1. @Test
  2. public void test2(){
  3. Collection coll=new ArrayList();
  4. coll.add(123);
  5. coll.add(456);
  6. coll.add(new String("Tom"));
  7. coll.add(false);
  8. coll.add(new Person("jerry",20));
  9. //remove(Object obj):从当前集合移除obj元素
  10. coll.remove(1234);
  11. coll.remove(new Person("jerry",20));
  12. System.out.println(coll);
  13. //removeAll(Collection coll1):从当前集合中移除coll1中所有的元素
  14. Collection coll1= Arrays.asList(123,4567);
  15. coll.removeAll(coll1);
  16. System.out.println(coll);
  17. }
  1. @Test
  2. public void test3(){
  3. Collection coll=new ArrayList();
  4. coll.add(123);
  5. coll.add(456);
  6. coll.add(new String("Tom"));
  7. coll.add(false);
  8. coll.add(new Person("jerry",20));
  9. // //retainAll(Collection coll1):获取当前集合和coll1集合的交集,并返回给当前集合
  10. // Collection coll1= Arrays.asList(123,4567,false);
  11. // coll.retainAll(coll1);
  12. // System.out.println(coll);
  13. //equals(Obkect obj):当前集合和形参集合的元素都相同,返回true
  14. Collection coll1=new ArrayList();
  15. coll1.add(123);
  16. coll1.add(456);
  17. coll1.add(new String("Tom"));
  18. coll1.add(false);
  19. coll1.add(new Person("jerry",20));
  20. System.out.println(coll.equals(coll1));
  21. }
  1. @Test
  2. public void test4(){
  3. Collection coll=new ArrayList();
  4. coll.add(123);
  5. coll.add(456);
  6. coll.add(new String("Tom"));
  7. coll.add(false);
  8. coll.add(new Person("jerry",20));
  9. //hashCode():返回当前对象的hash值
  10. System.out.println(coll.hashCode());
  11. //集合---->数组:toArry()
  12. Object[] objects = coll.toArray();
  13. for (int i = 0; i <objects.length ; i++) {
  14. System.out.println(objects[i]);
  15. }
  16. //数组--->集合:调用Arrays类的静态方法asList()
  17. List<String> strings = Arrays.asList(new String[]{"AA", "BB"});
  18. System.out.println(strings);
  19. List arr=Arrays.asList(new int[]{123,456});
  20. System.out.println(arr);//[[I@3f0ee7cb]
  21. List arr1=Arrays.asList(new Integer[]{123,456});
  22. System.out.println(arr1);//[123, 456]
  23. //iterator():返回Iterator接口的实例,用于遍历集合元素。放在IteratorTest.java中测试
  24. }

迭代器Iterator接口

每次调用iterator方法都得到一个新的迭代器对象,系统游标都默认在集合第一个元素之前
hasNext和next方法

  1. @Test
  2. public void test(){
  3. Collection coll=new ArrayList();
  4. coll.add(123);
  5. coll.add(456);
  6. coll.add(new String("Tom"));
  7. coll.add(false);
  8. coll.add(new Person("jerry",20));
  9. Iterator iterator = coll.iterator();
  10. //方式一:不推荐
  11. // for (int i = 0; i <coll.size() ; i++) {
  12. // System.out.println(iterator.next());
  13. // }
  14. //方式二:推荐
  15. //hasNext():判断是否还有下一个元素
  16. while (iterator.hasNext()){
  17. //next():①指针下移②将下移以后集合上的元素返回
  18. System.out.println(iterator.next());
  19. }
  20. }

内部定义的remove方法,不同于集合直接调用remove

  1. @Test
  2. public void test2(){
  3. Collection coll=new ArrayList();
  4. coll.add(123);
  5. coll.add(456);
  6. coll.add(new String("Tom"));
  7. coll.add(false);
  8. coll.add(new Person("jerry",20));
  9. Iterator iterator = coll.iterator();
  10. //remove():删除集合中的Tom。不同于集合直接调用remove
  11. while (iterator.hasNext()){
  12. Object next = iterator.next();
  13. if ("Tom".equals(next)){
  14. iterator.remove();
  15. }
  16. }
  17. Iterator iterator1 = coll.iterator();
  18. while (iterator1.hasNext()){
  19. System.out.println(iterator1.next());
  20. }
  21. }

如果还未调用next()或者在上一次调用next方法之后已经调用了remove方法,再调用remove都会报IllegalStateException

Foreach循环

  1. @Test
  2. public void test(){
  3. Collection coll=new ArrayList();
  4. coll.add(123);
  5. coll.add(456);
  6. coll.add(new String("Tom"));
  7. coll.add(false);
  8. coll.add(new Person("jerry",20));
  9. //for(集合元素的类型 局部变量:集合对象)
  10. //内部仍然调用迭代器
  11. for (Object obj:coll){
  12. System.out.println(obj);
  13. }
  14. }
  15. @Test
  16. public void test1(){
  17. String[] arr=new String[]{"MM","MM","MM"};
  18. //普通for循环赋值
  19. // for (int i = 0; i <arr.length ; i++) {
  20. // arr[i]="gg";
  21. // }
  22. //增强for循环
  23. //修改不会改变原有数组中的元素
  24. for (String s:arr
  25. ) {
  26. s="GG";
  27. }
  28. for (int i = 0; i <arr.length ; i++) {
  29. System.out.println(arr[i]);
  30. }
  31. }

Collection接口:单例集合,用来存储一个一个对象

List接口:存储有序的、可重复的数据。“动态”数组

ArrayList:作为List接口的主要实现类;线程不安全的,效率高;底层使用Object[] elementData存储

源码分析: :::info jdk 7情况下
ArrayList list=new ArrayList();//底层创建了长度为10的Object[]数组elementData
list.add(123);//=elementData[0]=new Integer(123);
……
list.add(11);//如果此次的添加导致底层elementDAta数组容量不够时,则扩容。默认情况下,扩容为原来的1.5倍,同时需要将原有的数组中的数据复制到新的数组中。

::: :::info 结论:建议开发中使用带参的构造器:ArrayList list=new ArrayList(int capacity); ::: :::info jdk 8中ArrayList的变化
ArrayList list=new ArrayList();//底层Object[] elementData初始化为{}。并没有创建长度为10的数组。
list.add(123);//第一次调用add()时,底层才创建了长度为10的数组,并将数据123添加到elementData[0]
……
后续添加和扩容与jdk7无异

:::


:::info 小结:jdk7中ArrayList的对象的创建类似于单例的饿汉式,而jdk8中ArrayList的对象的创建类似于单例的懒汉式,延迟了数组的创建,节省内存 :::


LinkedList:对于频繁的插入、删除操作,使用此类效率比ArrayList高;底层使用双向链表存储

源码分析: :::info LinkedList list=new LinkedList();//内部声明了Node类型的first和last属性,默认值为null
list.add(123);//将数据123封装到Node中,创建了Node对象
其中Node定义为:体现了LinkedList的双向链表的说法
private static class Node {
E item;
Node next;
Node prev;

  1. Node(Node<E> prev, E element, Node<E> next) {<br /> this.item = element;<br /> this.next = next;<br /> this.prev = prev;<br /> }<br />}

:::

Vector:作为List接口的古老实现类。线程安全,效率低;底层使用Object[] elementData存储

源码分析 :::info jdk7和jdk8中通过Vector()构造器创建对象时,底层都创建了长度为10的数组
在扩容反面,默认扩容为原来数组长度的二倍 :::

List接口的常用方法

  1. @Test
  2. public void test(){
  3. ArrayList list=new ArrayList();
  4. list.add(123);
  5. list.add(456);
  6. list.add("AA");
  7. list.add(new Person("Tom",22));
  8. list.add(456);
  9. System.out.println(list);//[123, 456, AA, Person{name='Tom', age=22}, 456]
  10. //void add(int index,Obj ele):在index位置插入ele元素
  11. list.add(1,"BB");
  12. System.out.println(list);//[123, BB, 456, AA, Person{name='Tom', age=22}, 456]
  13. //bollean addAll(int index,Collection eles):在index位置将eles中的所有元素添加到当前数组
  14. List integers = Arrays.asList(1, 2, 3);
  15. list.addAll(2,integers);
  16. System.out.println(list.size());//9
  17. //Object get(int index):获取指定index位置的元素
  18. System.out.println(list.get(5));//456
  19. //int indexOf(Object obj):返回obj在集合中首次出现的位置;如果不存在返回-1
  20. System.out.println(list.indexOf(456)); //5
  21. //int lastIndexOf(Object obj):返回obj在当前集合中末次出现的位置
  22. System.out.println(list.lastIndexOf(456));//8
  23. //Object remove(int index):移除指定index位置的元素,并返回此元素
  24. Object remove = list.remove(0);
  25. System.out.println(remove);
  26. System.out.println(list);
  27. //Object set(int index,Object ele):设置指定index位置的元素为ele
  28. list.set(1, "cc");
  29. System.out.println(list);
  30. //List subList(int fromIndex,int toIndex):返回从fromIndex到toIndex位置的子集合 [fromIndex,toIndex)
  31. System.out.println(list.subList(1, 3));
  32. }
  1. @Test
  2. public void test1(){
  3. ArrayList list=new ArrayList();
  4. list.add(123);
  5. list.add(456);
  6. list.add("AA");
  7. list.add(new Person("Tom",22));
  8. list.add(456);
  9. //遍历:
  10. // ①:Iterator迭代器
  11. Iterator iterator = list.iterator();
  12. while (iterator.hasNext()){
  13. System.out.println(iterator.next());
  14. }
  15. System.out.println("***************************");
  16. //②:foreach循环
  17. for (Object object:list){
  18. System.out.println(object);
  19. }
  20. System.out.println("***************************");
  21. //③:普通for循环
  22. for (int i = 0; i <list.size() ; i++) {
  23. System.out.println(list.get(i));
  24. }
  25. }

面试题:

ArrayList、LinkedList、Vector三者异同?

同:三个类都实现List接口,存储数据的特点相同:存储有序、可重复的数据
不同:
ArrayList:作为List接口的主要实现类;线程不安全的,效率高;底层使用Object[] elementData存储
LinkedList:对于频繁的插入、删除操作,使用此类效率比ArrayList高;底层使用双向链表存储
Vector:作为List接口的古老实现类。线程安全,效率低;底层使用Object[] elementData存储

区分List中remove(int index)和remove(Object obj)

  1. /*
  2. 区分List当中remove方法
  3. */
  4. @Test
  5. public void testListRemove(){
  6. List list=new ArrayList();
  7. list.add(1);
  8. list.add(2);
  9. list.add(3);
  10. updateList(list);
  11. System.out.println(list);
  12. }
  13. private void updateList(List list){
  14. list.remove(new Integer(2))//删除集合中的元素2
  15. list.remove(2);//删除2位置的元素
  16. }

Set接口:存储无序的、不可重复的数据。

Set接口中没有定义额外的方法,使用的都是Collection中声明过的方法
要求: :::info 向Set中添加的数据,其所在的类一定要重写hashCode()和equals()
重写的hashCode()和equals()尽可能保持一致性:相等的对象必须具有相等的散列码 ::: 一、Set:存储无序的、不可重复的数据
以HashSet为例 :::info 1.无序性:不等于随机性。存储的数据在底层数组中并非按照数组索引的顺序添加,而是根据数据的哈希值 ::: :::info 2.不可重复性:保证添加的元素按照equals()判断时,不能返回true。即相同的元素只能添加一个 ::: 二、添加元素的过程:以HashSet为例 :::info 我们向HashSet中添加元素a,首先调用元素a所在类的hashCode()方法,计算元素a的哈希值,此哈希值接着通过某种算法计算出HashSet底层数组中的存放位置,判断数组此位置上是否已经有元素:
如果此位置上没有其他元素,则元素a添加成功——>情况一
如果此位置上有其他元素b(或者以链表的形式存放多个元素),则比较元素a与元素b的哈希值:
如果哈希值不相同,则元素a添加成功——>情况二
如果哈希值相同,进而需要调用元素a所在类的equals()方法:
equals()返回true,则元素a添加失败
equals()返回false,则元素a添加成功———->情况三
对于添加成功的情况2情况3而言:元素a与已经存在指定索引位置上的数据以链表的形式存储
jdk7:元素a放到数组中,指向原来的元素
jdk8:原来的元素放到数组中,指向元素a :::

HashSet:作为Set接口的主要实现类;线程不安全的;可以存储null值

底层:数组+链表

LinkedHashSet:作为HashSet的子类;遍历其内部数据时可以按照添加的顺序遍历

作为HashSet的子类,在添加数据的同时,每个数据还维护了两个引用,记录此数据的前一个数据和后一个数据
优点:对于频繁的遍历操作,LinkedHashSet效率高于HashSet

TreeSet:可以按照添加对象指定属性,进行排序

向TreeSet中添加数据,要求是相同类的对象
两种排序方法:自然排序(实现Comparable接口)和定制排序(实现comparator接口)


自然排序中,比较两个对象是否相同的标准为compareTo(),不再是equals()

  1. @Test
  2. public void test2(){
  3. TreeSet treeSet = new TreeSet();
  4. //失败:不能添加不同类的对象
  5. // treeSet.add(123);
  6. // treeSet.add(456);
  7. // treeSet.add("AA");
  8. // treeSet.add(new Person("Tom",23));
  9. //举例一:
  10. // treeSet.add(123);
  11. // treeSet.add(32);
  12. // treeSet.add(-33);
  13. // treeSet.add(11);
  14. // treeSet.add(8);
  15. //-33
  16. //8
  17. //11
  18. //32
  19. //123
  20. //举例二:
  21. treeSet.add(new Person("Tom",21));
  22. treeSet.add(new Person("Jerry",15));
  23. treeSet.add(new Person("Jim",25));
  24. treeSet.add(new Person("Mike",8));
  25. treeSet.add(new Person("Jack",17));
  26. treeSet.add(new Person("Jack",56));
  27. Iterator iterator = treeSet.iterator();
  28. while (iterator.hasNext()){
  29. System.out.println(iterator.next());
  30. }
  31. }
  1. //按照姓名从大到小,年龄从小到大
  2. @Override
  3. public int compareTo(Object o) {
  4. if (o instanceof Person){
  5. Person person=(Person) o;
  6. // return -this.name.compareTo(person.name);
  7. int comapre=-this.name.compareTo(person.name);
  8. if (comapre!=0){
  9. return comapre;
  10. }else{
  11. return Integer.compare(this.age,person.age);
  12. }
  13. }else {
  14. throw new RuntimeException("输入类型不匹配");
  15. }
  16. }

定制排序中,比较两个对象是否相等的标准为:compare()返回0,不再是equals()

  1. @Test
  2. public void test3(){
  3. Comparator com=new Comparator() {
  4. //按照年龄从小到大排序
  5. @Override
  6. public int compare(Object o1, Object o2) {
  7. if (o1 instanceof Person&&o2 instanceof Person){
  8. Person person1=(Person)o1;
  9. Person person2=(Person)o2;
  10. return Integer.compare(person1.getAge(),person2.getAge());
  11. }else {
  12. throw new RuntimeException("输入数据类型不一致");
  13. }
  14. }
  15. };
  16. TreeSet treeSet = new TreeSet(com);
  17. treeSet.add(new Person("Tom",21));
  18. treeSet.add(new Person("Jerry",15));
  19. treeSet.add(new Person("Jim",25));
  20. treeSet.add(new Person("Mike",8));
  21. treeSet.add(new Person("Jhon",17));
  22. treeSet.add(new Person("Jack",17));
  23. Iterator iterator = treeSet.iterator();
  24. while (iterator.hasNext()){
  25. System.out.println(iterator.next());
  26. }
  27. }

练习题

  1. package day22.exe;
  2. /**
  3. * @author Lilei
  4. * @date 2022/5/8-@14:01
  5. */
  6. public class Employee implements Comparable{
  7. private String name;
  8. private int age;
  9. private MyDate birthday;
  10. public Employee() {
  11. }
  12. public Employee(String name, int age, MyDate birthday) {
  13. this.name = name;
  14. this.age = age;
  15. this.birthday = birthday;
  16. }
  17. public String getName() {
  18. return name;
  19. }
  20. public void setName(String name) {
  21. this.name = name;
  22. }
  23. public int getAge() {
  24. return age;
  25. }
  26. public void setAge(int age) {
  27. this.age = age;
  28. }
  29. public MyDate getBirthday() {
  30. return birthday;
  31. }
  32. public void setBirthday(MyDate birthday) {
  33. this.birthday = birthday;
  34. }
  35. @Override
  36. public String toString() {
  37. return "Employee{" +
  38. "name='" + name + '\'' +
  39. ", age=" + age +
  40. ", birthday=" + birthday +
  41. '}';
  42. }
  43. //按照姓名顺序排
  44. @Override
  45. public int compareTo(Object o) {
  46. if (o instanceof Employee){
  47. Employee e=(Employee)o;
  48. return this.name.compareTo(e.name);
  49. }else {
  50. return 0;
  51. }
  52. }
  53. }
  1. package day22.exe;
  2. /**
  3. * @author Lilei
  4. * @date 2022/5/8-@11:57
  5. */
  6. public class MyDate {
  7. private int year;
  8. private int month;
  9. private int day;
  10. public MyDate(int year, int month, int day) {
  11. this.year = year;
  12. this.month = month;
  13. this.day = day;
  14. }
  15. public MyDate() {
  16. }
  17. public int getYear() {
  18. return year;
  19. }
  20. public void setYear(int year) {
  21. this.year = year;
  22. }
  23. public int getMonth() {
  24. return month;
  25. }
  26. public void setMonth(int month) {
  27. this.month = month;
  28. }
  29. public int getDay() {
  30. return day;
  31. }
  32. public void setDay(int day) {
  33. this.day = day;
  34. }
  35. @Override
  36. public String toString() {
  37. return "MyDate{" +
  38. "year=" + year +
  39. ", month=" + month +
  40. ", day=" + day +
  41. '}';
  42. }
  43. }
  1. package day22.exe;
  2. import org.junit.Test;
  3. import java.util.Comparator;
  4. import java.util.Iterator;
  5. import java.util.TreeSet;
  6. /**
  7. * @author Lilei
  8. * @date 2022/5/8-@14:03
  9. */
  10. public class EmployeeTest {
  11. //问题一:使用自然排序
  12. @Test
  13. public void test(){
  14. TreeSet set=new TreeSet();
  15. set.add(new Employee("刘德华",55,new MyDate(1967,5,5)));
  16. set.add(new Employee("张学友",43,new MyDate(1979,11,1)));
  17. set.add(new Employee("郭富城",44,new MyDate(1978,11,11)));
  18. set.add(new Employee("梁朝伟",51,new MyDate(1971,10,25)));
  19. set.add(new Employee("黎明",37,new MyDate(1985,1,5)));
  20. Iterator iterator = set.iterator();
  21. while (iterator.hasNext()){
  22. System.out.println(iterator.next());
  23. }
  24. }
  25. //问题一:使用生日日期的先后排序
  26. @Test
  27. public void test1(){
  28. TreeSet set=new TreeSet(new Comparator() {
  29. @Override
  30. public int compare(Object o1, Object o2) {
  31. if (o1 instanceof Employee && o2 instanceof Employee){
  32. Employee employee1=(Employee)o1;
  33. Employee employee2=(Employee)o2;
  34. MyDate birthday1 = employee1.getBirthday();
  35. MyDate birthday2 = employee2.getBirthday();
  36. int minYears = birthday1.getYear() - birthday2.getYear();
  37. if (minYears!=0){
  38. return minYears;
  39. }
  40. int minMonth = birthday1.getMonth() - birthday2.getMonth();
  41. if (minMonth!=0){
  42. return minMonth;
  43. }
  44. return birthday1.getDay() - birthday2.getDay();
  45. }
  46. throw new RuntimeException("传入数据类型不一致");
  47. }
  48. });
  49. Employee employee = new Employee("liudehua", 55, new MyDate(1967, 5, 5));
  50. Employee employee1 = new Employee("zhangxueyou", 43, new MyDate(1979, 11, 1));
  51. Employee employee2 = new Employee("guofucheng", 44, new MyDate(1979, 11, 11));
  52. Employee employee3 = new Employee("liangchaowei", 51, new MyDate(1971, 10, 25));
  53. Employee employee4 = new Employee("liming", 37, new MyDate(1985, 1, 5));
  54. set.add(employee);
  55. set.add(employee1);
  56. set.add(employee2);
  57. set.add(employee3);
  58. set.add(employee4);
  59. Iterator iterator = set.iterator();
  60. while (iterator.hasNext()){
  61. System.out.println(iterator.next());
  62. }
  63. }
  64. }

Map接口:双例集合,用来存储一对(key-value)一对数据

Map结构的理解

:::info Map中的key:无序的、不可重复的,使用Set存储所有的key—->key所在的类要重写equals()和HashCode() (以HashMap为例)
Map中的value:无序的、可重复的,使用Collection存储——->value所在类要重写equals()
一个键值对:key-value构成了一个Entry对象。
Map中的Entry:无序的、不可重复的,使用Set存储所有的entry

:::

Map中的常用方法

  1. @Test
  2. public void test(){
  3. Map map=new HashMap();
  4. //Object put(Object key,Object value):将指定key-value添加到(或修改)当前map对象中
  5. //添加
  6. map.put("AA",123);
  7. map.put(45,123);
  8. map.put("BB",56);
  9. //修改
  10. map.put("AA",87);
  11. System.out.println(map);
  12. Map map1=new HashMap();
  13. map1.put("CC",123);
  14. map1.put("DD",123);
  15. //putAll(Map M):将m中所有的key-value添加到当前map对象
  16. map.putAll(map1);
  17. System.out.println(map);
  18. //remove(Obejct key):移除指定key的key-value对并返回value
  19. Object cc = map.remove("CC");
  20. System.out.println(cc);
  21. System.out.println(map);
  22. //clear():清空当前map
  23. map.clear();//与map=null不同
  24. System.out.println(map);
  25. }
  1. @Test
  2. public void test1(){
  3. Map map=new HashMap();
  4. map.put("AA",123);
  5. map.put(45,123);
  6. map.put("BB",56);
  7. //Object get(Object key):获取指定key位置的value
  8. System.out.println(map.get(45));
  9. //boolean containsKey(Object key):是否包含指定的key
  10. boolean isExit = map.containsKey("BB");
  11. System.out.println(isExit);
  12. //boolean containsValue(Object value):是否包含指定的value
  13. isExit=map.containsValue("123");
  14. System.out.println(isExit);
  15. //int size():返回map中key-value对的个数
  16. System.out.println(map.size());
  17. //boolean isEmpty():判断当前map是否为空
  18. // map.clear();
  19. isExit=map.isEmpty();
  20. System.out.println(isExit);
  21. //boolean equals(Object obj):判断当前map和参数obj是否相等
  22. Map map1=new HashMap();
  23. map1.put("AA",123);
  24. map1.put(45,123);
  25. map1.put("BB",56);
  26. System.out.println(map.equals(map1));
  27. }
  1. /*
  2. 元视图的操作方法
  3. Set keySet():返回所有key构成的Set集合
  4. Collection values():返回所有value构成的Collection集合
  5. Set entrySet():返回所有key-value对构成的Set集合
  6. */
  7. @Test
  8. public void test2(){
  9. Map map=new HashMap();
  10. map.put("AA",123);
  11. map.put(45,1234);
  12. map.put("BB",56);
  13. //遍历所有的Key集
  14. Set set = map.keySet();
  15. Iterator iterator = set.iterator();
  16. while (iterator.hasNext()){
  17. System.out.println(iterator.next());
  18. }
  19. System.out.println("=====================");
  20. //遍历所有的value
  21. Collection values = map.values();
  22. for (Object obj:values
  23. ) {
  24. System.out.println(obj);
  25. }
  26. System.out.println("=====================");
  27. //遍历所有的key-value
  28. Set set1 = map.entrySet();
  29. Iterator iterator1 = set1.iterator();
  30. while (iterator1.hasNext()){
  31. Object obj=iterator1.next();
  32. //entryset集合中的元素都是entry
  33. Map.Entry entry=(Map.Entry)obj;
  34. System.out.println(entry.getKey()+"-->"+entry.getValue());
  35. }
  36. }

HashMap:作为Map的主要实现类;线程不安全,效率高;能存储null的key或value

:::info 底层:数组+链表(jdk7之前)
数组+链表+红黑树(jdk8) :::

HashMap的底层实现原理

以jdk7为例 :::info HashMap map=new HashMap();
在实例化以后底层创建了一个长度为16的数组Entry[] table。
……可能已经执行过多次put…….
map.put(key1,value1);
首先调用key1所在类的HashCode()计算key1的哈希值,此哈希值经过某种算法计算以后,得到Entry数组中的存放位置。
如果此位置上数据为空,此时的key1-value1添加成功———情况1
如果此位置上数据不为空(以为存在一个或多个数据(以链表的形式存在)),比较key1和已经存在的一个或多个数据的哈希值:
如果key1的哈希值与已经存在数据的哈希值都不相同,此时key1-value1添加成功———情况2
如果key1的哈希值与已经存在数据的某一个的哈希值相同,继续比较;调用key1类所在的equals()方法,比较:
如果equals()返回false:此时key1-value1添加成功——-情况3
如果equals()返回true:使用value1替换相同的key的value值。

补充:关于情况2和情况3,此时key1-value1和原来的数据以链表的形式存储

正在不断的添加过程中会涉及到扩容问题,默认的扩容方式:当超出临界值(且要存放的位置非空),扩容为原来容量的2倍,并将原有的数据复制过来。 ::: jdk8相较于jdk7在底层实现反面的不同: :::info 1.new HashMap():底层没有创建一个长度为16的数组
2.jdk8 底层的数组是Node[],并非Entry[]
3.首次调用put()方法时,底层创建长度为16的数组
4.jdk7 的底层结构只有数组+链表。jdk8中底层结构:数组+链表+红黑树
当数组的某一个索引位置上的元素以链表的形式存在的数据个数>8且当前数组长度超过64时,此时此索引位置上的数组采用红黑树存储。

DEFAUL TINITIAL_CAPACITY : HashMap的默认容量,16
DEFAULT_LOAD_FACTOR: HashMap的默认加载因子:0.75
threshold:扩容的临界值,=容量填充因升 160.75=12
TREEIFY
THRESHOLD: Bucket中链表长度大于该默认值,转化为红黑树:8
MIN_TREEIFY_CAPACITY:桶中的Node被树化时最小的hash表容量。:64 :::

LinkedHashMap:保证在遍历map元素时,可以按照添加的顺序实现遍历

:::info 原因:在原有的HashMap底层结构基础上,添加了一堆指针,指向前一个和后一个元素
对于频繁的遍历操作,此类高效与HashMap :::


源码中:

  1. static class Entry<K,V> extends HashMap.Node<K,V> {
  2. Entry<K,V> before, after;//能够记录添加元素的先后顺序
  3. Entry(int hash, K key, V value, Node<K,V> next) {
  4. super(hash, key, value, next);
  5. }
  6. }

面试题:

1.HashMap的底层实现原理 :::info

::: 2.HashMap和Hashtable的异同 :::info

:::

TreeMap:保证按照添加的key-value对进行排序,实现排序遍历。此时考虑key的自然排序或者定制排序

:::info 底层使用红黑树 :::

  1. //向TreeMap中添加key-value,要求key必须是由同一个类创建的对象
  2. //因为要按照key进行排序:自然排序和定制排序
  3. @Test
  4. public void test(){
  5. TreeMap map=new TreeMap();
  6. Person person1=new Person("Tom",23);
  7. Person person2=new Person("Jerry",32);
  8. Person person3=new Person("Jack",20);
  9. Person person4=new Person("Rose",18);
  10. map.put(person1,98);
  11. map.put(person2,89);
  12. map.put(person3,76);
  13. map.put(person4,100);
  14. Set set = map.entrySet();
  15. Iterator iterator = set.iterator();
  16. while (iterator.hasNext()){
  17. Object next = iterator.next();
  18. Map.Entry entry=(Map.Entry)next;
  19. System.out.println(((Map.Entry) next).getKey()+"=="+((Map.Entry) next).getValue());
  20. }
  21. }
  1. @Test
  2. public void test1(){
  3. TreeMap map=new TreeMap(new Comparator() {
  4. @Override
  5. public int compare(Object o1, Object o2) {
  6. if (o1 instanceof Person &&o2 instanceof Person){
  7. Person person=(Person)o1;
  8. Person person1=(Person)o2;
  9. return Integer.compare(person.getAge(),person1.getAge());
  10. }
  11. throw new RuntimeException("输入数据类型不一致");
  12. }
  13. });
  14. Person person1=new Person("Tom",23);
  15. Person person2=new Person("Jerry",32);
  16. Person person3=new Person("Jack",20);
  17. Person person4=new Person("Rose",18);
  18. map.put(person1,98);
  19. map.put(person2,89);
  20. map.put(person3,76);
  21. map.put(person4,100);
  22. Set set = map.entrySet();
  23. Iterator iterator = set.iterator();
  24. while (iterator.hasNext()){
  25. Object next = iterator.next();
  26. Map.Entry entry=(Map.Entry)next;
  27. System.out.println(((Map.Entry) next).getKey()+"=="+((Map.Entry) next).getValue());
  28. }
  29. }

Hashtable:作为古老实现类;线程安全,效率低;不能存储null的key或value

Properties:常用来处理配置文件,key和value都是String类型

  1. public class PropertiesTest {
  2. public static void main(String[] args){
  3. FileInputStream files= null;
  4. try {
  5. Properties pros=new Properties();
  6. files = new FileInputStream("jdbc.properties");
  7. pros.load(files);//加载流对应的文件
  8. String name = pros.getProperty("name");
  9. String password = pros.getProperty("password");
  10. System.out.println("name:"+name+","+"password:"+password);
  11. } catch (IOException e) {
  12. e.printStackTrace();
  13. } finally {
  14. if (files!=null){
  15. try {
  16. files.close();
  17. } catch (IOException e) {
  18. e.printStackTrace();
  19. }
  20. }
  21. }
  22. }
  23. }

Collections工具类

Collections:操作Collection、Map的工具类
面试题:Collection和Collections的区别
Collection是一个集合,Collectins是操作Collection和Map的工具类

  1. /*
  2. reverse(List list):反转list中元素的顺序
  3. shuffle(List list):对list集合元素进行随机排序
  4. sort(List list):根据元素的自然顺序对指定的list集合元素按升序排序
  5. sort(List list,Comaprator):根据指定的Comparator产生的顺序对list集合元素进行排序
  6. swap(Listlist,int i,int j):将指定list集合中的i处元素和j处元素进行交换
  7. */
  8. /*
  9. Object max(Collection):根据元素的自然排序,返回集合中指定的最大值
  10. Object max(Collection,Comparator):根据Comparator指定的顺序,返回集合中指定的最大值
  11. Object min(Collection):根据元素的自然排序,返回集合中指定的最小值
  12. Object min(Collection,Comparator):根据Comparator指定的顺序,返回集合中指定的最小值
  13. int frequency(Collection,Object):返回指定集合中指定元素出现的次数
  14. void copy(List dest,List src):将src中的内容复制到dest
  15. boolean repalceAll(List list,Object oldVal,Object newVal):
  16. */
  17. public class CollectionsTest {
  18. @Test
  19. public void test(){
  20. List list=new ArrayList();
  21. list.add(123);
  22. list.add(43);
  23. list.add(765);
  24. list.add(765);
  25. list.add(765);
  26. list.add(-97);
  27. list.add(0);
  28. System.out.println(list);//[123, 43, 765, -97, 0]
  29. //reverse(List list):反转list中元素的顺序
  30. //Collections.reverse(list);//[0, -97, 765, 43, 123]
  31. //shuffle(List list):对list集合元素进行随机排序
  32. // Collections.shuffle(list);//[-97, 0, 43, 765, 123]
  33. //sort(List list):根据元素的自然顺序对指定的list集合元素按升序排序
  34. // Collections.sort(list);//[-97, 0, 43, 123, 765}
  35. //swap(Listlist,int i,int j):将指定list集合中的i处元素和j处元素进行交换
  36. // Collections.swap(list,0,3);//[-97, 43, 765, 123, 0]
  37. //int frequency(Collection,Object):返回指定集合中指定元素出现的次数
  38. //System.out.println(Collections.frequency(list, 765));//3
  39. //void copy(List dest,List src):将src中的内容复制到dest
  40. List destList= Arrays.asList(new Object[list.size()]);
  41. Collections.copy(destList,list);
  42. System.out.println(destList);
  43. }

:::info Collections中提供了多个synchronizedXxx()方法,该方法可使将指定的集合包装成线程同步的集合,从而可以解决多线程并发访问集合时的线程安全问题 :::

泛型

在集合中使用泛型

总结:
①集合接口或集合类在jdk5.0时都修改为带泛型的结构
②在实例化集合类时,可以指明具体的泛型的类型
③在集合类或者接口中,凡是定义类或接口时,内部结构使用到类的泛型位置,都指定为你实例化时泛型类型
比如add(E e)—->实例化以后add(指定类型 e)
④注意点:泛型类型必须是类,不能是基本数据类型。需要用到基本数据类型的位置用包装类替换
⑤如果实例化时,没有指定泛型的类型,默认类型为java.lang.Object类型

  1. @Test
  2. public void test(){
  3. ArrayList<Integer> integers = new ArrayList<>();
  4. integers.add(77);
  5. integers.add(89);
  6. integers.add(100);
  7. integers.add(60);
  8. //在编译是会进行类型检查,保证数据的安全
  9. // integers.add("Tom");
  10. for (Integer sroce:integers
  11. ) {
  12. //避免强制转换操作
  13. int stusroce=sroce;
  14. System.out.println(stusroce);
  15. }
  16. }
  1. @Test
  2. public void test1(){
  3. HashMap<String, Integer> stringIntegerHashMap = new HashMap<>();
  4. stringIntegerHashMap.put("Jerry",87);
  5. stringIntegerHashMap.put("Tom",90);
  6. stringIntegerHashMap.put("Jack",60);
  7. // stringIntegerHashMap.put(123,"ABC");
  8. //泛型的嵌套
  9. Set<Map.Entry<String, Integer>> entries = stringIntegerHashMap.entrySet();
  10. Iterator<Map.Entry<String, Integer>> iterator = entries.iterator();
  11. while (iterator.hasNext()){
  12. Map.Entry<String, Integer> next = iterator.next();
  13. String k=next.getKey();
  14. Integer v=next.getValue();
  15. System.out.println(k+"=="+v);
  16. }
  17. }

自定义泛型类举例

  1. public class Order<T> {
  2. String orderName;
  3. int orderId;
  4. //类的内部结构可以使用类的泛型
  5. T orderT;
  6. public Order(){ };
  7. public Order(String orderName,int orderId,T orderT){
  8. this.orderName=orderName;
  9. this.orderId=orderId;
  10. this.orderT=orderT;
  11. }
  12. public T getOrderT(){
  13. return orderT;
  14. }
  15. public void setOrderT(T orderT) {
  16. this.orderT = orderT;
  17. }
  18. @Override
  19. public String toString() {
  20. return "Order{" +
  21. "orderName='" + orderName + '\'' +
  22. ", orderId=" + orderId +
  23. ", orderT=" + orderT +
  24. '}';
  25. }
  26. }
  1. @Test
  2. public void test(){
  3. //如果定义了泛型类,实例化时没有指明泛型类型,则认为泛型类型为为Object类型
  4. //要求:如果定义的类是带泛型的,实例化时建议指明类的泛型
  5. Order order=new Order();
  6. order.setOrderT(123);
  7. //建议:实例化时指明类的泛型
  8. Order<String> order1=new Order<>();
  9. }

  1. public class SubOrder extends Order<Integer>{//指明父类的泛型类型
  2. }
  1. public class SubOrder1<T> extends Order<T>{//SubOrder:不是泛型类
  2. }
  1. @Test
  2. public void test1(){
  3. SubOrder subOrder=new SubOrder();
  4. //由于子类在继承带泛型的父类时,指明了泛型的类型,则实例化子类对象时不在需要指明泛型
  5. subOrder.setOrderT(1122);
  6. SubOrder1<String> subOrder1=new SubOrder1<>();
  7. subOrder1.setOrderT("Order2......");
  8. }

自定义泛型方法

在方法中出现了泛型结构,泛型的参数与类的泛型参数没用任何关系
泛型方法所属的类是不是泛型类都没有关系
泛型方法可以声明为静态的。原因:泛型参数是在调用方法时确定的,并非在实例化类时确定

  1. public <E> List<E> copyList(E[] arr){
  2. ArrayList<E> list = new ArrayList<>();
  3. for (E e:arr
  4. ) {
  5. list.add(e);
  6. }
  7. return list;
  8. }
  1. @Test
  2. public void test2(){
  3. Order<String> order=new Order<>();
  4. Integer[] arr=new Integer[]{1,2,3,4};
  5. //泛型方法调用时泛型参数的类型
  6. List<Integer> integerList = order.copyList(arr);
  7. System.out.println(integerList);
  8. }

泛型在继承方面的体现

  1. /*
  2. 泛型在继承方面的体现
  3. 类A是类B的父类,G<A>和G<B>二者不具备子父类关系,二者是并列关系
  4. 类A是类B的父类,A<G>是B<G>的父类
  5. */
  6. @Test
  7. public void test(){
  8. List<Object> list=null;
  9. List<String> list1=null;
  10. //此时list和list1的类型不具有子父类关系
  11. //编译不通过
  12. // list=list1;
  13. List<String> list2=null;
  14. ArrayList<String> list3=null;
  15. list2=list3;
  16. }

通配符的使用

  1. /*
  2. 通配符:?
  3. 类A是类B的父类,G<A>和G<B>是没有关系的,二者共同父类是:G<?>
  4. */
  5. @Test
  6. public void test1(){
  7. List<Object> list=null;
  8. List<String> list1=null;
  9. List<?> list2=null;
  10. list2=list;
  11. list2=list1;
  12. print(list1);
  13. print(list);
  14. }
  15. public void print(List<?> list){
  16. Iterator<?> iterator = list.iterator();
  17. while (iterator.hasNext()){
  18. System.out.println(iterator.next());
  19. }
  20. }

通配符使用后的写入和读取

  1. @Test
  2. public void test1(){
  3. List<Object> list=null;
  4. List<String> list1=null;
  5. List<?> list2=null;
  6. list2=list;
  7. list2=list1;
  8. // print(list1);
  9. // print(list);
  10. //
  11. List<String> list3=new ArrayList<>();
  12. list3.add("AA");
  13. list3.add("bb");
  14. list3.add("DD");
  15. list2=list3;
  16. //添加:对于List<?>就不能向其内部添加数据,除了添加null
  17. // list2.add("BB");
  18. // list2.add(`?`);
  19. list2.add(null);
  20. //读取:允许读取数据,读取的数据类型为Object
  21. Object o = list2.get(0);
  22. System.out.println(o);
  23. }

有限制条件的通配符的使用

_? extends A:G<? extends A>可以作为G和G的父类,其中B是A的子类

? super A:G<? super A>可以作为G和G的父类,其中B是A的父类_

IO流

File类的使用

1.File类的一个对象,代表一个文件或文件目录
2.File类声明在java.io包下
3.Feil类涉及关于文件或文件目录的创建、删除、重命名、修改时间、文件大小等方法,并未涉及到写入或者读取文件内容的操作。如果需要读取或者写入文件内容,必须使用IO流来完成。
4.后续File类的对象常会作为参数传递到流的构造器里,指明读取或写入的”终点“

File类的实例化

1.如何创建File类的实例
File(String filePath)
File(String parentPath,String childPath)
File(File parentFile,String childPath)
2.
相对路径:相较于某个路劲下,指明的路径
绝对路径:包含盘符在内的文件或文件目录的路径

3.路径分隔符
windows:\
unix:/

  1. /*
  2. 1.如何创建File类的实例
  3. File(String filePath)
  4. File(String parentPath,String childPath)
  5. File(File parentFile,String childPath)
  6. 2.
  7. 相对路径:相较于某个路劲下,指明的路径
  8. 绝对路径:包含盘符在内的文件或文件目录的路径
  9. 3.路径分隔符
  10. windows:\\
  11. unix:/
  12. */
  13. @Test
  14. public void test(){
  15. //构造器1
  16. File file=new File("hello.txt");//相对于当前项目
  17. File file1 = new File("D:\\myjava\\ll\\src\\day24\\he.txt");
  18. System.out.println(file);
  19. System.out.println(file1);
  20. //构造器2
  21. File file2 = new File("D:\\myjava","ll");
  22. System.out.println(file2);
  23. //构造器3
  24. File file3 = new File(file2,"hi.txt");
  25. System.out.println(file3);
  26. }

File类的常用方法

:::info String getAbsolutePath():获取绝对路径
String getPath():获取路径
String getName():获取名称
String getParent():获取上层文件目录路径。若无返回null
long length():获取文件长度(字节数)。不能获取目录的长度
long lastModified():获取最后一次修改的时间。毫秒数

  1. String[] list():获取指定目录下的所有文件或者文件目录的名称数组<br /> File[] listFiles():获取指定目录下的所有文件或者文件目录的File数组

:::

  1. /*
  2. String getAbsolutePath():获取绝对路径
  3. String getPath():获取路径
  4. String getName():获取名称
  5. String getParent():获取上层文件目录路径。若无返回null
  6. long length():获取文件长度(字节数)。不能获取目录的长度
  7. long lastModified():获取最后一次修改的时间。毫秒数
  8. String[] list():获取指定目录下的所有文件或者文件目录的名称数组
  9. File[] listFiles():获取指定目录下的所有文件或者文件目录的File数组
  10. */
  11. @Test
  12. public void test1(){
  13. File file = new File("hello.txt");
  14. File file1 = new File("d:\\myjava\\hi.txt");
  15. System.out.println(file.getAbsolutePath());
  16. System.out.println(file.getName());
  17. System.out.println(file.getPath());
  18. System.out.println(file.getParent());
  19. System.out.println(file.length());
  20. System.out.println(new Date(file.lastModified()));
  21. System.out.println("*************************");
  22. System.out.println(file1.getAbsolutePath());
  23. System.out.println(file1.getName());
  24. System.out.println(file1.getPath());
  25. System.out.println(file1.getParent());
  26. System.out.println(file1.length());
  27. System.out.println(file1.lastModified());
  28. }
  29. @Test
  30. public void test2(){
  31. File file = new File("d:\\myjava");
  32. String[] list = file.list();
  33. for (String s:list
  34. ) {
  35. System.out.println(s);
  36. }
  37. File[] files = file.listFiles();
  38. for (File f:files
  39. ) {
  40. System.out.println(f);
  41. }
  42. }

:::info boolean renameTo(File dest):把文件重命名为指定的文件路径
如:file.renameTo(file1)
要保证返回true,需要file在硬盘中是存在的,且file1不能在硬盘中存在
:::

  1. @Test
  2. public void test3(){
  3. File file = new File("hello.txt");
  4. File file1 = new File("d:\\myjava\\hi.txt");
  5. boolean b = file.renameTo(file1);
  6. System.out.println(b);
  7. }

:::info boolean isDirectory():判断是否是文件目录
boolean isFile():判断是否是文件
boolean exists():判断是否存在
boolean canRead():判断是否可读
boolean canWrite():判断是否可写
boolean isHdden():判断是否隐蔽
:::

  1. @Test
  2. public void test4(){
  3. File file=new File("hello.txt");
  4. System.out.println(file.isDirectory());
  5. System.out.println(file.isFile());
  6. System.out.println(file.canRead());
  7. System.out.println(file.canWrite());
  8. System.out.println(file.isHidden());
  9. }

:::info _/*
boolean createNewFile():创建文件。若文件存在,则不创建返回false
boolean mkdir():创建文件目录。如果文件目录存在,就不创建。如果此文件目录的上层目录不存在,也不创建
boolean mkidrs():创建文件目录。如果上层文件目录不存在,一并创建

boolean delete():删除文件或文件夹
注意:java中删除不走回收站
*/_ :::

  1. @Test
  2. public void test5() throws IOException {
  3. //文件创建
  4. File file=new File("hi.txt");
  5. if (!file.exists()){
  6. file.createNewFile();
  7. System.out.println("创建成功");
  8. }else {
  9. file.delete();
  10. System.out.println("删除成功");
  11. }
  12. }
  1. @Test
  2. public void test6(){
  3. File file=new File("d:\\io\\io1");
  4. boolean mkdir = file.mkdir();
  5. if (mkdir){
  6. System.out.println("success");
  7. }else {
  8. file.mkdirs();
  9. System.out.println("无上层,一并创建成功");
  10. }
  11. }

IO流原理及流的分类

流的分类

按操作数据单位不同:字节流(8bit)、字符流(16bit)
按数据流的流向不同:输入流、输出流
按流的角色不同:节点流、处理流

流的体系结构

抽象基类 节点流(或文件流) 缓冲流(处理流的一种)
InputStream FileInputStream(read(byte[] buffer)) BufferedInputStream(read(byte[] buffer))
OutputStream FileOutputStream(write(byte[] buffer,0,len)) BufferedOutputStream(同)
Reader FileReader(read(char[] buffer)) BufferedReader(readline())
Writer FileWriter(write(chare[] buffer,0,len)) BufferedWrite(同)r

节点流

FileReader

:::info 将hello.txt文件内容读入程序中,并输出到控制台
说明:
1.read()的理解:返回读入的一个字符。如果达到文件末尾,返回-1
2.异常的处理:为了保证流的资源一定可以执行关闭操作,需要使用try-catch-finally处理
3.读入的文件一定要存在,否则就会报FileNotFoundException.
:::

  1. @Test
  2. public void testFileReader() {
  3. FileReader fr= null;
  4. try {
  5. //实例化File类对象,指明要操作的文件
  6. File file=new File("hello.txt");
  7. //提供具体的流
  8. fr = new FileReader(file);
  9. //数据的读入
  10. //read():返回读入一个字符。如果达到文件末尾,返回-1
  11. int read = fr.read();
  12. while (read!=-1){
  13. System.out.print((char) read);
  14. read = fr.read();
  15. }
  16. } catch (IOException e) {
  17. e.printStackTrace();
  18. } finally {
  19. //关闭流
  20. if (fr!=null){
  21. try {
  22. fr.close();
  23. } catch (IOException e) {
  24. e.printStackTrace();
  25. }
  26. }
  27. }

:::info 对read()操作的升级:使用read的重载方法 :::

  1. @Test
  2. public void testFileReader1() {
  3. FileReader reader = null;
  4. try {
  5. //1.对File类的实例化
  6. File file = new File("hello.txt");
  7. //2.FileReader流的实例化
  8. reader = new FileReader(file);
  9. //3.读入操作
  10. //read(char[] cbuf):返回每次读入cbuf数组中的字符的个数。如果达到文件末尾,返回-1
  11. char[] cbuf=new char[5];
  12. int len;
  13. while ((len = reader.read(cbuf))!=-1){
  14. for (int i = 0; i < len; i++) {
  15. System.out.print(cbuf[i]);
  16. }
  17. }
  18. } catch (IOException e) {
  19. e.printStackTrace();
  20. } finally {
  21. if (reader!=null){
  22. //4.资源关闭
  23. try {
  24. reader.close();
  25. } catch (IOException e) {
  26. e.printStackTrace();
  27. }
  28. }
  29. }
  30. }

FileWriter

从内盘中写出数据到硬盘的文件里
说明:
1.输出操作,对应的File可以不存在的
File对应的硬盘中文件如果不存在,在输出的过程中,会自动创建此文件夹
File对应的硬盘中文件如果存在:
如果流使用的构造器是:FileWriter(file,false)/FileWriter(file):对原有文件的覆盖
如果流使用的构造器是:FileWriter(file,true):不会对原有文件覆盖,而是在原有文件基础上追加内容

  1. @Test
  2. public void testFileWriter() throws IOException {
  3. //1.提供File类的对象,指出写出到的位置
  4. File file = new File("hello.txt");
  5. //2.提供FileWriter的对象,用于数据写出
  6. FileWriter fileWriter = new FileWriter(file);
  7. //3.写出的操作
  8. fileWriter.write("I have a dream!\n");
  9. fileWriter.write("you need to have a dream!");
  10. //4.流的关闭
  11. fileWriter.close();
  12. }

FileReader FileWriter

文件的复制

  1. @Test
  2. public void testFileReaderFileWriter() {
  3. FileReader fileReader = null;
  4. FileWriter fileWriter = null;
  5. try {
  6. //1.创建File类的对象,指明读入和写出的文件
  7. File file = new File("hello.txt");
  8. File file1 = new File("hello1.txt");
  9. //2.创建输入输出流的对象
  10. fileReader = new FileReader(file);
  11. fileWriter = new FileWriter(file1);
  12. //3.数据的读入和写出操作
  13. char[] cbuf=new char[5];
  14. int len;
  15. while ((len=fileReader.read(cbuf))!=-1){
  16. fileWriter.write(cbuf,0,len);
  17. }
  18. } catch (IOException e) {
  19. e.printStackTrace();
  20. } finally {
  21. //4.关闭流资源
  22. try {
  23. if (fileWriter!=null)
  24. fileWriter.close();
  25. } catch (IOException e) {
  26. e.printStackTrace();
  27. }finally {
  28. try {
  29. if (fileReader!=null)
  30. fileReader.close();
  31. } catch (IOException e) {
  32. e.printStackTrace();
  33. }
  34. }
  35. }
  36. }

FileInputStream

对于文本文件(.txt/.java/.c/.cpp),使用字符流处理
对于非文本文件(.jpg/.mp3/.mp4/.avi/.doc/.ppt),使用字节流

  1. //使用字节流FileInputStream处理文本文件,可能出现乱码
  2. @Test
  3. public void testFileInputStream() {
  4. FileInputStream fileInputStream= null;
  5. try {
  6. //1.实例化File类对象,指明要操作的文件
  7. File file = new File("hello.txt");
  8. //2.提供具体的流
  9. fileInputStream = new FileInputStream(file);
  10. //数据的读入
  11. byte[] buffer=new byte[5];
  12. int len;//记录每次读取的字节个数
  13. while ((len=fileInputStream.read(buffer))!=-1){
  14. String s = new String(buffer, 0, len);
  15. System.out.print(s);
  16. }
  17. } catch (IOException e) {
  18. e.printStackTrace();
  19. } finally {
  20. if (fileInputStream!=null){
  21. //关闭流
  22. try {
  23. fileInputStream.close();
  24. } catch (IOException e) {
  25. e.printStackTrace();
  26. }
  27. }
  28. }
  29. }

FileOutputStream FileInputStream

实现对图片的复制

  1. @Test
  2. public void testFileInputOutputStream() {
  3. FileInputStream fileInputStream= null;
  4. FileOutputStream fileOutputStream= null;
  5. try {
  6. File file = new File("猫.png");
  7. File file2 = new File("猫1.png");
  8. fileInputStream = new FileInputStream(file);
  9. fileOutputStream = new FileOutputStream(file2);
  10. byte[] buffer =new byte[5];
  11. int len;
  12. while ((len=fileInputStream.read(buffer))!=-1){
  13. fileOutputStream.write(buffer,0,len);
  14. }
  15. } catch (IOException e) {
  16. e.printStackTrace();
  17. } finally {
  18. if (fileInputStream!=null){
  19. try {
  20. fileInputStream.close();
  21. } catch (IOException e) {
  22. e.printStackTrace();
  23. }
  24. }
  25. if (fileOutputStream!=null){
  26. try {
  27. fileOutputStream.close();
  28. } catch (IOException e) {
  29. e.printStackTrace();
  30. }
  31. }
  32. }
  33. }

/指定路径下文件的复制

  1. public void copyFile(String srcPath,String destPath){
  2. FileInputStream fileInputStream= null;
  3. FileOutputStream fileOutputStream= null;
  4. try {
  5. File file = new File(srcPath);
  6. File file2 = new File(destPath);
  7. fileInputStream = new FileInputStream(file);
  8. fileOutputStream = new FileOutputStream(file2);
  9. byte[] buffer =new byte[1024];
  10. int len;
  11. while ((len=fileInputStream.read(buffer))!=-1){
  12. fileOutputStream.write(buffer,0,len);
  13. }
  14. } catch (IOException e) {
  15. e.printStackTrace();
  16. } finally {
  17. if (fileInputStream!=null){
  18. try {
  19. fileInputStream.close();
  20. } catch (IOException e) {
  21. e.printStackTrace();
  22. }
  23. }
  24. if (fileOutputStream!=null){
  25. try {
  26. fileOutputStream.close();
  27. } catch (IOException e) {
  28. e.printStackTrace();
  29. }
  30. }
  31. }
  32. }
  1. @Test
  2. public void testCopyFile(){
  3. String srcPath="C:\\Users\\L.LEI\\Desktop\\实验6-视频演示.mp4";
  4. String destPath="C:\\Users\\L.LEI\\Desktop\\实验6-1-视频演示.mp4";
  5. long start = System.currentTimeMillis();
  6. copyFile(srcPath,destPath);
  7. long end = System.currentTimeMillis();
  8. System.out.println("复制操作花费的时间为:"+(end-start));
  9. }

缓冲流

处理流之一:缓冲流的使用
1.缓冲流:
BufferedInputStream
BufferedOutputStream
BufferedReader
BufferedWriter


作用:提高流的读取写入速度
提高读写速度的原因:内部提供了一个缓冲区

BufferedInputStream/BufferedOutputStream

实现非文本文件的复制

  1. @Test
  2. public void BufferedStreamTest() {
  3. FileInputStream fis = null;
  4. FileOutputStream fos = null;
  5. BufferedInputStream bis = null;
  6. BufferedOutputStream bos = null;
  7. try {
  8. //1.造文件
  9. File file = new File("猫.png");
  10. File file1 = new File("猫2.png");
  11. //2.造流
  12. //2.1节点流
  13. fis = new FileInputStream(file);
  14. fos = new FileOutputStream(file1);
  15. //2.2缓冲流
  16. bis = new BufferedInputStream(fis);
  17. bos = new BufferedOutputStream(fos);
  18. //3.读取写入
  19. byte[] buffer=new byte[10];
  20. int len;
  21. while ((len=bis.read(buffer))!=-1){
  22. bos.write(buffer,0,len);
  23. }
  24. } catch (IOException e) {
  25. e.printStackTrace();
  26. } finally {
  27. if (bos!=null){
  28. try {
  29. bos.close();
  30. } catch (IOException e) {
  31. e.printStackTrace();
  32. }
  33. }
  34. if (bis!=null){
  35. try {
  36. bis.close();
  37. } catch (IOException e) {
  38. e.printStackTrace();
  39. }
  40. }
  41. }
  42. //流资源关闭
  43. //要求:先关外层流,在关内层流
  44. // //关闭外层流时内层流也会自动关闭
  45. // fos.close();
  46. // fis.close();
  47. }

/指定路径下文件的复制

  1. public void fileCopyWithBuffered(String srcPath,String destPath){
  2. FileInputStream fis = null;
  3. FileOutputStream fos = null;
  4. BufferedInputStream bis = null;
  5. BufferedOutputStream bos = null;
  6. try {
  7. //1.造文件
  8. File file = new File(srcPath);
  9. File file1 = new File(destPath);
  10. //2.造流
  11. //2.1节点流
  12. fis = new FileInputStream(file);
  13. fos = new FileOutputStream(file1);
  14. //2.2缓冲流
  15. bis = new BufferedInputStream(fis);
  16. bos = new BufferedOutputStream(fos);
  17. //3.读取写入
  18. byte[] buffer=new byte[1024];
  19. int len;
  20. while ((len=bis.read(buffer))!=-1){
  21. bos.write(buffer,0,len);
  22. }
  23. } catch (IOException e) {
  24. e.printStackTrace();
  25. } finally {
  26. if (bos!=null){
  27. try {
  28. bos.close();
  29. } catch (IOException e) {
  30. e.printStackTrace();
  31. }
  32. }
  33. if (bis!=null){
  34. try {
  35. bis.close();
  36. } catch (IOException e) {
  37. e.printStackTrace();
  38. }
  39. }
  40. }
  41. }
  1. @Test
  2. public void testFileCopyWithBuffered(){
  3. String src="C:\\Users\\L.LEI\\Desktop\\实验6-视频演示.mp4";
  4. String dest="C:\\Users\\L.LEI\\Desktop\\实验6-2-视频演示.mp4";
  5. long start = System.currentTimeMillis();
  6. fileCopyWithBuffered(src,dest);
  7. long end = System.currentTimeMillis();
  8. System.out.println("复制操作花费的时间为:"+(end-start));//81
  9. }

BufferedReader/BufferdWriter

  1. public void testBufferedReaderBufferedWriter() {
  2. BufferedReader br= null;
  3. BufferedWriter bw= null;
  4. try {
  5. br = new BufferedReader(new FileReader(new File("hello.txt")));
  6. bw = new BufferedWriter(new FileWriter(new File("hello3.txt")));
  7. //方式一
  8. char[] cbuf=new char[1024];
  9. int len;
  10. while ((len=br.read(cbuf))!=-1){
  11. bw.write(cbuf,0,len);
  12. }
  13. //方式二
  14. // String data;
  15. // while ((data=br.readLine())!=null){
  16. // bw.write(data);//不包含换行符
  17. // bw.newLine();//提供换行操作
  18. // }
  19. } catch (IOException e) {
  20. e.printStackTrace();
  21. } finally {
  22. if (bw!=null){
  23. try {
  24. bw.close();
  25. } catch (IOException e) {
  26. e.printStackTrace();
  27. }
  28. }
  29. if (br!=null){
  30. try {
  31. br.close();
  32. } catch (IOException e) {
  33. e.printStackTrace();
  34. }
  35. }
  36. }
  37. }

转换流

InputStreamReader

处理流之二:转换流(属于字符流)
InputstreamReader:将一个字节的输入流转换成字符的输入流
OutputStreamWriter:将一个字符的输出流转换为字节的输出流
作用:提供字节流与字符流之间的转换
解码:字节、字节数组———>字符数组、字符串
编码:字符数组、字符串—->字节、字节数组
字符集:

ASCII:美国标准信息交换码。用一个字节的七位可以表示
ISO8859-1:拉丁码表,欧洲码表。用一个字节的8未表示
GB2321:中国的中文编码表。最多两个字节编码所有字符
GBK:中国的中文编码表升级,融合了更多中文文字符号。最多两个字节编码
Unicode:国际标准码。融合了目前人类使用的所有字符。为每个字符分配唯一的字符码。所有的文字用两个字符表示
UTF-8:变长的编码方式,可用1-4个字节来表示一个字符

实现字节的输入流到字符的输入流的转换

  1. @Test
  2. public void test1(){
  3. FileInputStream fis = null;
  4. try {
  5. fis = new FileInputStream("hello.txt");
  6. InputStreamReader isr = new InputStreamReader(fis);//使用系统默认字符集
  7. //参数二指明字符集,具体使用哪个字符集,取决于文件保存时使用的字符集
  8. // InputStreamReader isr = new InputStreamReader(fis,"UTF-8");
  9. char[] cbuf=new char[1024];
  10. int len;
  11. while ((len=isr.read(cbuf))!=-1){
  12. String s = new String(cbuf, 0, len);
  13. System.out.print(s);
  14. }
  15. } catch (IOException e) {
  16. e.printStackTrace();
  17. } finally {
  18. if (fis!=null){
  19. try {
  20. fis.close();
  21. } catch (IOException e) {
  22. e.printStackTrace();
  23. }
  24. }
  25. }
  26. }

InputStreamReader\OutStreamWriter

  1. @Test
  2. public void test2(){
  3. InputStreamReader isr = null;
  4. OutputStreamWriter osw = null;
  5. try {
  6. File file = new File("hello.txt");
  7. File file1 = new File("hello_gbk.txt");
  8. FileInputStream fis = new FileInputStream(file);
  9. FileOutputStream fos = new FileOutputStream(file1);
  10. isr = new InputStreamReader(fis,"UTF-8");
  11. osw = new OutputStreamWriter(fos,"gbk");
  12. char[] cbuf=new char[20];
  13. int len;
  14. while ((len=isr.read(cbuf))!=-1){
  15. osw.write(cbuf,0,len);
  16. }
  17. } catch (IOException e) {
  18. e.printStackTrace();
  19. } finally {
  20. if (isr!=null){
  21. try {
  22. isr.close();
  23. } catch (IOException e) {
  24. e.printStackTrace();
  25. }
  26. }
  27. if (osw!=null){
  28. try {
  29. osw.close();
  30. } catch (IOException e) {
  31. e.printStackTrace();
  32. }
  33. }
  34. }
  35. }

标准的输入输出流

System.in:标准的输入流,默认从键盘输入
System.out:标准的输出流,默认从控制台输出
System类的setIn(InputStream is)/steOut(PrintStream ps)方式重新指定输入和输出的流

练习:
从键盘输入字符串,要求将读取到的整行字符串转成大写输出。然后继续进行输入操作,直至当输入“e”或”
exit“时,退出程序

  1. public static void main(String[] args) {
  2. BufferedReader br = null;
  3. try {
  4. InputStreamReader isr = new InputStreamReader(System.in);
  5. br = new BufferedReader(isr);
  6. while (true){
  7. System.out.println("请输入字符串:");
  8. String data=br.readLine();
  9. if ("e".equalsIgnoreCase(data)||"exit".equalsIgnoreCase(data)){
  10. System.out.println("程序结束");
  11. break;
  12. }
  13. String upperCase = data.toUpperCase();
  14. System.out.println(upperCase);
  15. }
  16. } catch (IOException e) {
  17. e.printStackTrace();
  18. } finally {
  19. if (br!=null){
  20. try {
  21. br.close();
  22. } catch (IOException e) {
  23. e.printStackTrace();
  24. }
  25. }
  26. }
  27. }

打印流

打印流:PrintStream和PrintWriter
提供了一系列重载的print()和println()

数据流

DataInputStream
DataOutputStream
作用:用于读取或写出基本数据类型的变量或字符串

DataOutputStream

练习:将内存中的字符串、基本数据类型的变量写出到文件中

  1. @Test
  2. public void test2() {
  3. DataOutputStream dos = null;
  4. try {
  5. dos = new DataOutputStream(new FileOutputStream("data.txt"));
  6. dos.writeUTF("刘谋");
  7. dos.flush();
  8. dos.writeInt(23);
  9. dos.flush();
  10. dos.writeBoolean(true);
  11. dos.flush();
  12. } catch (IOException e) {
  13. e.printStackTrace();
  14. } finally {
  15. if (dos!=null){
  16. try {
  17. dos.close();
  18. } catch (IOException e) {
  19. e.printStackTrace();
  20. }
  21. }
  22. }
  23. }

DataInputStream

将文件中存储的基本数据类型变量和字符串读取到内存中,保存在变量中
注意点:读取不同类型的数据的顺序要与当初写入文件的顺序保持一致。

  1. @Test
  2. public void test3(){
  3. DataInputStream dis= null;
  4. try {
  5. dis = new DataInputStream(new FileInputStream("data.txt"));
  6. String name = dis.readUTF();
  7. int age = dis.readInt();
  8. boolean isMale = dis.readBoolean();
  9. System.out.println("name:"+name);
  10. System.out.println("age:"+age);
  11. System.out.println("isMale:"+isMale);
  12. } catch (IOException e) {
  13. e.printStackTrace();
  14. } finally {
  15. if (dis!=null){
  16. try {
  17. dis.close();
  18. } catch (IOException e) {
  19. e.printStackTrace();
  20. }
  21. }
  22. }
  23. }

对象流

对象流的使用
1.ObjectInputStream和ObjectOutputStream
2.作用:用于存储和读取基本数据类型数据对象或对象的处理流。它的强大之处就是可以把java中的对象写入到
数据源中,也能把对象从数据源中还原回来
3.要想一个java对象是可序列化的,需要满足相应要求:见Person.java
需要实现接口:Serializable
当前类提供一个全局常量:static final long serivalVersionUID
除了当前类需要实现Serializable接口之外,还必须保证其内部所有属性也必须可序列化
(默认情况下基本数据类型都是可序列化的)

  1. public class Person implements Serializable {
  2. public static final long serivalVersionUID=4232326L;
  3. private String name;
  4. private int age;
  5. public Person() {
  6. }
  7. public Person(String name, int age) {
  8. this.name = name;
  9. this.age = age;
  10. }
  11. public String getName() {
  12. return name;
  13. }
  14. public void setName(String name) {
  15. this.name = name;
  16. }
  17. public int getAge() {
  18. return age;
  19. }
  20. public void setAge(int age) {
  21. this.age = age;
  22. }
  23. @Override
  24. public String toString() {
  25. return "Person{" +
  26. "name='" + name + '\'' +
  27. ", age=" + age +
  28. '}';
  29. }
  30. @Override
  31. public boolean equals(Object o) {
  32. if (this == o) return true;
  33. if (o == null || getClass() != o.getClass()) return false;
  34. Person person = (Person) o;
  35. if (age != person.age) return false;
  36. return name != null ? name.equals(person.name) : person.name == null;
  37. }
  38. @Override
  39. public int hashCode() {
  40. int result = name != null ? name.hashCode() : 0;
  41. result = 31 * result + age;
  42. return result;
  43. }


补充:ObjectInputStream和ObjectOutputStream不能序列化static和transient修饰的成员变量

4.序列化机制:对象序列化机制允许把内存中的java对象转换成平台无关的二进制流,从而允许把这种二级制
流持久的保存在磁盘上,或通过网络将这种二进制流传输到另一个网络节点。当其他程序获取了这一种二进制流,
就可以恢复成原来的java对象_

ObjectOutputStream

序列化过程:将内存中的java对象保存到磁盘中或通过网络传输出去.使用ObjectOutputStream实现

  1. @Test
  2. public void testObjectOutputStream(){
  3. ObjectOutputStream oos = null;
  4. try {
  5. oos = new ObjectOutputStream(new FileOutputStream("Object.dat"));
  6. oos.writeObject(new String("我爱中华!!"));
  7. oos.flush();//刷新操作
  8. oos.writeObject(new Person("王维",2000));
  9. oos.flush();
  10. } catch (IOException e) {
  11. e.printStackTrace();
  12. } finally {
  13. if (oos!=null){
  14. try {
  15. oos.close();
  16. } catch (IOException e) {
  17. e.printStackTrace();
  18. }
  19. }
  20. }
  21. }

ObjectInputStream

反序列化:将磁盘文件中的对象还原为内存中的一个java对象

  1. @Test
  2. public void testObjectInputStream(){
  3. ObjectInputStream ois = null;
  4. try {
  5. ois = new ObjectInputStream(new FileInputStream("Object.dat"));
  6. Object object = ois.readObject();
  7. String s = (String) object;
  8. Person p = (Person) ois.readObject();
  9. System.out.println(s);
  10. System.out.println(p);
  11. } catch (IOException e) {
  12. e.printStackTrace();
  13. } catch (ClassNotFoundException e) {
  14. e.printStackTrace();
  15. } finally {
  16. if (ois!=null){
  17. try {
  18. ois.close();
  19. } catch (IOException e) {
  20. e.printStackTrace();
  21. }
  22. }
  23. }
  24. }

随机存取文件流(RandomAccessFile)

RandomAccessFile的使用
1.RandomAccessFile直接继承于java.lang.Object类,实现了DataInput和DataOutput接口
2.RandomAccessFile既可以作为一个输入流,也可以作为一个输出流

  1. @Test
  2. public void test1(){
  3. RandomAccessFile raf = null;
  4. RandomAccessFile raf1 = null;
  5. try {
  6. raf = new RandomAccessFile(new File("猫1.png"),"r");
  7. raf1 = new RandomAccessFile(new File("猫3.png"),"rw");
  8. byte[] buff=new byte[1024];
  9. int len;
  10. while ((len=raf.read(buff))!=-1){
  11. raf1.write(buff,0,len);
  12. }
  13. } catch (IOException e) {
  14. e.printStackTrace();
  15. } finally {
  16. if (raf!=null){
  17. try {
  18. raf.close();
  19. } catch (IOException e) {
  20. e.printStackTrace();
  21. }
  22. }
  23. if (raf1!=null){
  24. try {
  25. raf1.close();
  26. } catch (IOException e) {
  27. e.printStackTrace();
  28. }
  29. }
  30. }
  31. }

_3.如果RandomAccessFile作为一个输出流存在时,写出到的文件如果不存在,则在执行过程中自动创建
如果写出到的文件存在,则对原有文件内容进行覆盖(默认从头覆盖)

  1. @Test
  2. public void test2(){
  3. RandomAccessFile raf = null;
  4. try {
  5. raf = new RandomAccessFile("hello.txt", "rw");
  6. raf.seek(3);//把指针调到角标为3的位置
  7. raf.write("xyz".getBytes());
  8. } catch (IOException e) {
  9. e.printStackTrace();
  10. } finally {
  11. if (raf!=null){
  12. try {
  13. raf.close();
  14. } catch (IOException e) {
  15. e.printStackTrace();
  16. }
  17. }
  18. }
  19. }

4.通过相关操作,实现RandomAccessFile“插入”数据的效果

  1. /*
  2. 实现插入文件的效果
  3. */
  4. @Test
  5. public void test3(){
  6. RandomAccessFile raf = null;
  7. try {
  8. raf = new RandomAccessFile("hello.txt", "rw");
  9. raf.seek(3);
  10. //可以将StringBuilder替换为ByteArrayOutputStream
  11. StringBuilder builder=new StringBuilder((int) new File("hello.txt").length());
  12. byte[] buff=new byte[20];
  13. int len;
  14. while ((len=raf.read(buff))!=-1){
  15. builder.append(new String(buff,0,len));
  16. }
  17. raf.seek(3);
  18. raf.write("xyz".getBytes());
  19. raf.write(builder.toString().getBytes());
  20. } catch (IOException e) {
  21. e.printStackTrace();
  22. } finally {
  23. if (raf!=null){
  24. try {
  25. raf.close();
  26. } catch (IOException e) {
  27. e.printStackTrace();
  28. }
  29. }
  30. }
  31. }

Path常用方法

image.png

Files工具类

作用:操作文件或文件目录的工具类
image.png
image.png

网络编程

网络编程概述

目的:

直接或间接通过网络协议与其他计算机实现数据交换,进行通讯

如何实现网络中的主机互相通信

通信双方地址

IP
端口号

一定规则

OSI参考模型:模型过于理想化,未能在因特网上进行广泛推广
TCP/IP参考模型(TCP/IP协议):事实上的国际标准
image.png

网络通信要素概述

image.png

通信要素:IP和端口号

Ip地址:InetAddress

唯一的标识Internet上的计算机
本地回环地址(hostAddress):127.0.0.1 主机名(hostName)localhost
ip地址分类:IPV4和IPV6
IPV4:由四个字节组成,4个0-255
IPV6:128位(16个字节),写成8个无符号整数,每个整数用四位16进制数表示,之间用冒号隔开
分类方式二:公网地址(万维网)和私有地址(局域网)
192.168开头的就是私有地址,192.168.0.0-192.168.255.255

如何实例化InetAdress:getByName/getLocalhost

两个常用方法:getHostName、getHostAdress

  1. public class InetAdressTest {
  2. public static void main(String[] args) {
  3. try {
  4. InetAddress inetAddress = InetAddress.getByName("www.vip.com");//www.vip.com/14.215.62.22
  5. System.out.println(inetAddress);
  6. //获取本地ip
  7. InetAddress localHost = InetAddress.getLocalHost();
  8. System.out.println(localHost);
  9. //getHostName
  10. System.out.println(inetAddress.getHostName());//www.vip.com
  11. //getHostAdress
  12. System.out.println(inetAddress.getHostAddress());//14.215.62.22
  13. } catch (UnknownHostException e) {
  14. e.printStackTrace();
  15. }
  16. }
  17. }

端口号

端口号标识正在计算机上运行的进程(程序)

不同的进程有不同的端口号
被规定为一个16位整数0-65535

端口分类:

公认端口: 0-1023。被预先定义的服务通信占用(如HTTP:80,FTP:21,Telnet:23)
注册端口:1024-49151(如Tomcat:8080,MySql:3306,Oracle:1521等
动态\私有端口:49152-65535
端口号和IP地址的组合得出一个网络套接字:Socket

通信要素:网络协议

image.png
image.png
image.png

TCP网络编程

例1:客户端发送信息给服务端,服务将信息显示在控制台

  1. public class TCPTest {
  2. //客户端
  3. @Test
  4. public void client(){
  5. Socket socket= null;
  6. OutputStream os = null;
  7. try {
  8. //1.创建Socket对象,指明服务器端的ip和端口号
  9. InetAddress inetAddress = InetAddress.getByName("2.0.3.251");
  10. socket = new Socket(inetAddress,8899);
  11. //获取一个输出流用于输出数据
  12. os = socket.getOutputStream();
  13. //写出数据的操作
  14. os.write("你好,我是客户端".getBytes());
  15. } catch (IOException e) {
  16. e.printStackTrace();
  17. } finally {
  18. //资源关闭
  19. if (os!=null){
  20. try {
  21. os.close();
  22. } catch (IOException e) {
  23. e.printStackTrace();
  24. }
  25. }
  26. if (socket!=null){
  27. try {
  28. socket.close();
  29. } catch (IOException e) {
  30. e.printStackTrace();
  31. }
  32. }
  33. }
  34. }
  35. //服务端
  36. @Test
  37. public void server(){
  38. ServerSocket serverSocket = null;
  39. Socket accept = null;
  40. InputStream is = null;
  41. ByteArrayOutputStream baos = null;
  42. try {
  43. //创建服务器端的serverSocket指明自己的端口号
  44. serverSocket = new ServerSocket(8899);
  45. //调用accept()表示接收来自于客户端的Socket
  46. accept = serverSocket.accept();
  47. //获取输入流中的数据
  48. is = accept.getInputStream();
  49. //可能会有乱码
  50. // byte[] buff=new byte[1024];
  51. // int len;
  52. // while ((len=is.read(buff))!=-1){
  53. // String s = new String(buff, 0, len);
  54. // System.out.println(s);
  55. // }
  56. //获取输入流中的数据
  57. baos = new ByteArrayOutputStream();
  58. byte[] buff=new byte[1024];
  59. int len;
  60. while ((len=is.read(buff))!=-1){
  61. baos.write(buff,0,len);
  62. }
  63. System.out.println(baos.toString());
  64. System.out.println("收到了来自:"+accept.getInetAddress().getHostAddress()+"的信息");
  65. } catch (IOException e) {
  66. e.printStackTrace();
  67. } finally {
  68. //关闭流资源
  69. if (baos!=null){
  70. try {
  71. baos.close();
  72. } catch (IOException e) {
  73. e.printStackTrace();
  74. }
  75. }
  76. if (is!=null){
  77. try {
  78. is.close();
  79. } catch (IOException e) {
  80. e.printStackTrace();
  81. }
  82. }
  83. if (accept!=null){
  84. try {
  85. accept.close();
  86. } catch (IOException e) {
  87. e.printStackTrace();
  88. }
  89. }
  90. if (serverSocket!=null){
  91. try {
  92. serverSocket.close();
  93. } catch (IOException e) {
  94. e.printStackTrace();
  95. }
  96. }
  97. }
  98. }
  99. }

例题2:客户端发送文件给服务器,服务器将文件保存在本地

  1. public class TCPTest1 {
  2. //客户端
  3. @Test
  4. public void client() {
  5. Socket socket = null;
  6. OutputStream os = null;
  7. FileInputStream fis = null;
  8. try {
  9. //1.创建一个Socket并指明ip和端口号
  10. socket = new Socket(InetAddress.getByName("127.0.0.1"), 9090);
  11. //获取一个输出流
  12. os = socket.getOutputStream();
  13. //创建输入流,获取猫.png文件
  14. fis = new FileInputStream(new File("猫.png"));
  15. //读取文件并输出
  16. byte[] buff = new byte[1024];
  17. int len;
  18. while ((len = fis.read(buff)) != -1) {
  19. os.write(buff, 0, len);
  20. }
  21. } catch (IOException e) {
  22. e.printStackTrace();
  23. } finally {
  24. //关闭流
  25. if (fis != null) {
  26. try {
  27. fis.close();
  28. } catch (IOException e) {
  29. e.printStackTrace();
  30. }
  31. }
  32. if (os != null) {
  33. try {
  34. os.close();
  35. } catch (IOException e) {
  36. e.printStackTrace();
  37. }
  38. }
  39. if (socket != null) {
  40. try {
  41. socket.close();
  42. } catch (IOException e) {
  43. e.printStackTrace();
  44. }
  45. }
  46. }
  47. }
  48. //服务端
  49. @Test
  50. public void server() {
  51. ServerSocket serverSocket = null;
  52. Socket s = null;
  53. InputStream is = null;
  54. FileOutputStream fos = null;
  55. try {
  56. //创建服务端的ServerSocket
  57. serverSocket = new ServerSocket(9090);
  58. ////调用accept()表示接收来自于客户端的Socket
  59. s = serverSocket.accept();
  60. //获取一个输入流其中数据
  61. is = s.getInputStream();
  62. //创建一个输出流,输出文件
  63. fos = new FileOutputStream(new File("猫4.png"));
  64. //获取输入流中的数据输出
  65. byte[] buffer = new byte[1024];
  66. int len;
  67. while ((len = is.read(buffer)) != -1) {
  68. fos.write(buffer, 0, len);
  69. }
  70. } catch (IOException e) {
  71. e.printStackTrace();
  72. } finally {
  73. //关闭流
  74. if (fos!=null){
  75. try {
  76. fos.close();
  77. } catch (IOException e) {
  78. e.printStackTrace();
  79. }
  80. }
  81. if (is!=null){
  82. try {
  83. is.close();
  84. } catch (IOException e) {
  85. e.printStackTrace();
  86. }
  87. }
  88. if (s!=null){
  89. try {
  90. s.close();
  91. } catch (IOException e) {
  92. e.printStackTrace();
  93. }
  94. }
  95. if (serverSocket!=null){
  96. try {
  97. serverSocket.close();
  98. } catch (IOException e) {
  99. e.printStackTrace();
  100. }
  101. }
  102. }
  103. }
  104. }

例题2:客户端发送文件给服务器,服务器将文件保存在本地

  1. public class TCPTest2 {
  2. //客户端
  3. @Test
  4. public void client() {
  5. Socket socket = null;
  6. OutputStream os = null;
  7. FileInputStream fis = null;
  8. InputStream is=null;
  9. ByteArrayOutputStream baos=null;
  10. try {
  11. //1.创建一个Socket并指明ip和端口号
  12. socket = new Socket(InetAddress.getByName("127.0.0.1"), 9090);
  13. //获取一个输出流
  14. os = socket.getOutputStream();
  15. //创建输入流,获取猫.png文件
  16. fis = new FileInputStream(new File("猫.png"));
  17. //读取文件并输出
  18. byte[] buff = new byte[1024];
  19. int len;
  20. while ((len = fis.read(buff)) != -1) {
  21. os.write(buff, 0, len);
  22. }
  23. //关闭数据的输出
  24. socket.shutdownOutput();
  25. //接收来自服务端的反馈
  26. is = socket.getInputStream();
  27. baos = new ByteArrayOutputStream();
  28. byte[] buffer = new byte[1024];
  29. int len1;
  30. while ((len1=is.read(buffer))!=-1){
  31. baos.write(buffer,0,len1);
  32. }
  33. System.out.println(baos.toString());
  34. } catch (IOException e) {
  35. e.printStackTrace();
  36. } finally {
  37. //关闭流
  38. if (fis != null) {
  39. try {
  40. fis.close();
  41. } catch (IOException e) {
  42. e.printStackTrace();
  43. }
  44. }
  45. if (os != null) {
  46. try {
  47. os.close();
  48. } catch (IOException e) {
  49. e.printStackTrace();
  50. }
  51. }
  52. if (socket != null) {
  53. try {
  54. socket.close();
  55. } catch (IOException e) {
  56. e.printStackTrace();
  57. }
  58. }
  59. if (is!=null){
  60. try {
  61. is.close();
  62. } catch (IOException e) {
  63. e.printStackTrace();
  64. }
  65. }
  66. if (baos!=null){
  67. try {
  68. baos.close();
  69. } catch (IOException e) {
  70. e.printStackTrace();
  71. }
  72. }
  73. }
  74. }
  75. //服务端
  76. @Test
  77. public void server() {
  78. ServerSocket serverSocket = null;
  79. Socket s = null;
  80. InputStream is = null;
  81. FileOutputStream fos = null;
  82. OutputStream os=null;
  83. try {
  84. //创建服务端的ServerSocket
  85. serverSocket = new ServerSocket(9090);
  86. ////调用accept()表示接收来自于客户端的Socket
  87. s = serverSocket.accept();
  88. //获取一个输入流其中数据
  89. is = s.getInputStream();
  90. //创建一个输出流,输出文件
  91. fos = new FileOutputStream(new File("猫5.png"));
  92. //获取输入流中的数据输出
  93. byte[] buffer = new byte[1024];
  94. int len;
  95. while ((len = is.read(buffer)) != -1) {
  96. fos.write(buffer, 0, len);
  97. }
  98. //服务端接收成功后给予客户端反馈
  99. os = s.getOutputStream();
  100. os.write("你好,照片已收到".getBytes());
  101. } catch (IOException e) {
  102. e.printStackTrace();
  103. } finally {
  104. //关闭流
  105. if (fos!=null){
  106. try {
  107. fos.close();
  108. } catch (IOException e) {
  109. e.printStackTrace();
  110. }
  111. }
  112. if (is!=null){
  113. try {
  114. is.close();
  115. } catch (IOException e) {
  116. e.printStackTrace();
  117. }
  118. }
  119. if (s!=null){
  120. try {
  121. s.close();
  122. } catch (IOException e) {
  123. e.printStackTrace();
  124. }
  125. }
  126. if (serverSocket!=null){
  127. try {
  128. serverSocket.close();
  129. } catch (IOException e) {
  130. e.printStackTrace();
  131. }
  132. }
  133. if (os!=null){
  134. try {
  135. os.close();
  136. } catch (IOException e) {
  137. e.printStackTrace();
  138. }
  139. }
  140. }
  141. }
  142. }

UDP网络编程

  1. public class UDPTest {
  2. //发送端
  3. @Test
  4. public void sender(){
  5. DatagramSocket ds = null;
  6. try {
  7. ds = new DatagramSocket();
  8. String str="我是UDP方式.......";
  9. byte[] data=str.getBytes();
  10. InetAddress inet = InetAddress.getByName("127.0.0.1");
  11. DatagramPacket dp = new DatagramPacket(data,0,data.length,inet,9090);
  12. ds.send(dp);
  13. } catch (IOException e) {
  14. e.printStackTrace();
  15. } finally {
  16. if (ds!=null){
  17. ds.close();
  18. }
  19. }
  20. }
  21. //接收端
  22. @Test
  23. public void receiver(){
  24. DatagramSocket ds = null;
  25. try {
  26. ds = new DatagramSocket(9090);
  27. byte[] buff=new byte[100];
  28. DatagramPacket dp = new DatagramPacket(buff, 0, buff.length);
  29. ds.receive(dp);
  30. System.out.println(new String(dp.getData(),0,dp.getLength()));
  31. } catch (IOException e) {
  32. e.printStackTrace();
  33. } finally {
  34. if (ds!=null){
  35. ds.close();
  36. }
  37. }
  38. }
  39. }

URL编程

URL(Uniform Resource Locator):统一资源定位符,它表示Internet上某一资源的地址。
基本结构:<传输协议>://:<端口号>/<文件名>#片段名?参数列表

  1. public class UPLTest {
  2. public static void main(String[] args) {
  3. try {
  4. URL url = new URL("http://localhost:8080/examples/mao.png");
  5. System.out.println(url.getProtocol());//获取该URL的协议名
  6. System.out.println(url.getHost());//获取该URL的主机名
  7. System.out.println(url.getPort());//获取该URL的端口号
  8. System.out.println(url.getPath());//获取该URL的文件路径
  9. System.out.println(url.getFile());//获取该URL的文件名
  10. System.out.println(url.getQuery());//获取该URL的查询名
  11. } catch (MalformedURLException e) {
  12. e.printStackTrace();
  13. }
  14. }
  15. }
  1. public class UPLTest1 {
  2. public static void main(String[] args) {
  3. HttpURLConnection uc = null;
  4. InputStream is = null;
  5. FileOutputStream fos = null;
  6. try {
  7. URL url = new URL("http://localhost:8080/examples/mao.png");
  8. uc = (HttpURLConnection)url.openConnection();
  9. uc.connect();
  10. is = uc.getInputStream();
  11. fos = new FileOutputStream("mao6.png");
  12. byte[] buff=new byte[1024];
  13. int len;
  14. while ((len=is.read(buff))!=-1){
  15. fos.write(buff,0,len);
  16. }
  17. System.out.println("下载完成");
  18. } catch (IOException e) {
  19. e.printStackTrace();
  20. } finally {
  21. if (fos!=null){
  22. try {
  23. fos.close();
  24. } catch (IOException e) {
  25. e.printStackTrace();
  26. }
  27. }
  28. if (is!=null){
  29. try {
  30. is.close();
  31. } catch (IOException e) {
  32. e.printStackTrace();
  33. }
  34. }
  35. if (uc!=null){
  36. uc.disconnect();
  37. }
  38. }
  39. }
  40. }