线程是一种为单一处理器分配执行事件的手段
但是如果是多处理器就可以实现真正意义上的并发
并发最主要的隐患是 - - 共享资源
但是如果是多处理器就可以实现真正意义上的并发
并发最主要的隐患是 - - 共享资源
解决共享资源的问题方法就是上锁
创建线程有三种方法
1)继承Thread 类 来实现
2)实现Runnable 接口
3)使用Callable Future 接口来实现 call()方法
用Thread 继承来实现代码如下
public class ThreadTest extends Thread {
public void run() {
for (int i = 0; i < 100; i++) {
System.out.println(this.getName()+":"+i);
}
}
public static void main(String[] args) {
ThreadTest ts =new ThreadTest();
ts.start();
for (int i = 1000; i <1100; i++) {
//用Thread.currenTread().getName()获取主线程的名字
System.out.println(Thread.currentThread().getName()+":"+i);
}
}
}
通过Runnalbe接口实现代码如下
public class RunnableTest implements Runnable{
@Override
public void run() {
for (int i = 0; i < 100; i++) {
System.out.println(Thread.currentThread().getName()+":"+i);
}
}
public static void RunnableDemo() { //这里可以直接加到main方法中
Thread th = new Thread(new RunnableTest());
th.start();
}
public static void main(String[] args) {
new RunnableTest();
RunnableTest.RunnableDemo();
for (int i =1000 ; i < 1100; i++) {
System.out.println(Thread.currentThread().getName()+":"+i);
}
}
}
用Callable Future 接口来实现 call()方法
代码如下
public class CallableFutureDemo implements Callable<Integer> {
@Override
public Integer call() throws Exception {
int i =0;
for (; i <100 ; i++) {
System.out.println(Thread.currentThread().getName()+":"+i);
}
//可以有返回值
return i;
}
public static void Callabletest() {
//使用futuerTask来包装callable 实现类的实例
FutureTask<Integer> task =new FutureTask<Integer>(new CallableFutureDemo());
//创建线程 使用futuerRask对象 task作为Thread对象的targer
//调用start
new Thread(task,"子线程").start();
try {
System.out.println("子线程返回值"+task.get());
} catch (InterruptedException | ExecutionException e) {
e.printStackTrace();
}
}
public static void main(String[] args) {
new CallableFutureDemo();
CallableFutureDemo.Callabletest();
for (int i = 1000; i < 1100; i++) {
System.out.println(Thread.currentThread().getName()+":"+i);
}
}
}