基本多线程
如果你要执行许多任务,并且所有这些任务都不依赖于先前任务的结果,那么你可以使用多线程为你的计算机在计算机可以使用更多处理器的同时执行所有这些任务。如果你有一些重要的独立任务,这可以使你的程序执行更快。
class CountAndPrint implements Runnable {
private final String name;
CountAndPrint(String name) {
this.name = name;
}
/** This is what a CountAndPrint will do */
@Override
public void run() {
for (int i = 0; i < 10000; i++) {
System.out.println(this.name + ": " + i);
}
}
public static void main(String[] args) {
// Launching 4 parallel threads
for (int i = 1; i <= 4; i++) {
// `start` method will call the `run` method
// of CountAndPrint in another thread
new Thread(new CountAndPrint("Instance " + i)).start();
}
// Doing some others tasks in the main Thread
for (int i = 0; i < 10000; i++) {
System.out.println("Main: " + i);
}
}
}
各种 CountAndPrint
实例的 run 方法的代码将以不可预测的顺序执行。示例执行的片段可能如下所示:
Instance 4: 1
Instance 2: 1
Instance 4: 2
Instance 1: 1
Instance 1: 2
Main: 1
Instance 4: 3
Main: 2
Instance 3: 1
Instance 4: 4
...