java 多线程表示多个线程同时调动CPU,并行进行计算。一般情况了多线程会导致CPU升高。多线程的好处当然是并行计算,效率高。
常见的网络爬虫,如果你每次等待上个链接爬取完毕,下一个再开始,不是要等到天荒地老。所以多线程技术的运用,方便的解决了这个问题。
java多线程编程两个要点
1.类后面加个 extends Thread 就算多线程了。
2.必须有一个函数叫run()
package com.javaer.examples;
public class ThreadExample extends Thread{
public String color = "red";
public ThreadExample(String color){
this.color = color;
}
public void run(){
//System.out.println(this.color);
for (int i = 0; i < 3; i++) {
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
System.out.println(this.color + "运行 " + i);
}
}
/**
* @param args
*/
public static void main(String[] args) {
ThreadExample te = new ThreadExample("red");
ThreadExample te2 = new ThreadExample("blue");
te.run();
te2.run();
}
}
run()执行效果
red运行 0
red运行 1
red运行 2
blue运行 0
blue运行 1
blue运行 2
如果是多线程运行,说明两个对象并行执行 red 和 blue 一起向前走,所以java多线程情况下输出结果
改成
te.start();
te2.start();
red运行 0
blue运行 0
red运行 1
blue运行 1
red运行 2
blue运行 2
请牢记 多线程启动为te.start(); 尽管那个执行的函数为必须叫run();