进程:程序运行过程的描述,系统以进程为单位为每个程序分配独立的系统资源,比如:内存。
线程:是进程中的执行单元,一个进程中至少有一个线程,如果有多个线程就是多线程。
一、线程的创建与启动
1.1创建自定义线程类继承Thread类
1.创建线程类并继承Thread,重写run()方法。
2.创建该线程的对象。
3.start()启动线程
class MyThread1 extends Thread {
MyThread1(String name){
super(name);
}
@Override
public void run() {
//在run方法中编写线程要做的事情。
for (int i = 1; i <= 200; i++) {
System.out.println(getName()+"--"+i);
}
}
}
public class ThreadDemo1 {
public static void main(String[] args) {
//2、创建该线程类的对象(可以创建若干个)
MyThread1 t1 = new MyThread1("赵云"); // Thread-0
t1.setPriority(10);//更改线程的优先级
System.out.println(t1.getPriority());//返回线程的优先级
t1.start();
MyThread1 t2 = new MyThread1("展昭"); // Thread-1
t2.setPriority(1);
System.out.println(t2.getPriority());
t2.start();
}
}
1.2实现Runnable接口
1.自定义一个类,并实现Runnable接口,重写run()方法。
2.创建类A的对象。
3.借助Thread类,创建线程对象。
调用start()方法。
public class MyRunnable1 implements Runnable {
@Override
public void run() {
for (int i = 1; i <= 200; i++) {
System.out.println(Thread.currentThread().getName()+": "+i);
}
}
}
class Test6{
public static void main(String[] args) {
MyRunnable1 myRunnable1 = new MyRunnable1();
//分配一个新的 Thread对象。
Thread t1 = new Thread(myRunnable1,"张三");
Thread t2 = new Thread(myRunnable1,"李四");
//启动线程
t1.start();
t2.start();
}
}
二、解决多线程的安全问题
方法一:Synchronized
Synchronized ------> 同步机制
1.同步代码块
synchronized(对象){
//需要被同步的代码;
}
2.Synchronized还可以放在方法声明中,表示整个方法为同步
public void synchronized void show (String name){
………………………………
}
方法二:Lock
Lock ------> 锁
class A{
private final ReentrantLock lock=new ReentrantLock();
public void m(){
lock.lock();
try{
//保证线程安全的代码
}
finally{
lock.unlock();
}
}
}