程序:为完成特定任务,使用计算机语言编写的一系列指令集合,即静态代码。
进程:正在执行的程序,操作系统分配资源的最小单位。
线程:进程内部最小执行单位。(具体要做的一件事情)
线程和进程的关系:一个进程可以包含多个线程,线程必须属于某一进程,不能独立存在。一个进程中的所有线程共享该进程中的所有资源。
java如何创建进程?
①extend Thread{...}
public class Solution {
    public static void main(String[] args) {
        ThreadTest threadTest=new ThreadTest();
        threadTest.start();
    }
}
public class ThreadTest extends Thread{
    @Override
    public void run() {
        for(int i=0;i<=100;i++){
            System.out.println(getName()+":"+i);
        }
    }
}
 
②实现Runnable接口
优点:1)避免了单继承的局限性 2)多个线程可以共享同一个接口实现类的对象,非常适合多个相同线程来处 理同一份资源。
package ThreadTest;
public class Solution {
    public static void main(String[] args) {
        ThreadTest threadTest=new ThreadTest();
        Thread thread=new Thread(threadTest);
        thread.start();
    }
}
public class ThreadTest implements Runnable{
    @Override
    public void run() {
        for(int i=0;i<=100;i++){
            System.out.println(Thread.currentThread()+":"+i);//Thread.currentThread():获取当前线程
        }
    }
}
main中创建一个线程要执行的任务对象
ThreadTest threadTest=new ThreadTest();//创建线程对象
Thread thread=new Thread(threadTest); thread.start();//启动线程
Thread.currentThread()//获取当前线程
上面两种方式的区别:
1,继承Thread类后由于java是单继承的,所以不能继续继承其他类了
2,实现Runnable接口方式可以继承其他类
多线程:一个程序内部可以创建多个线程执行不同的任务。
线程同步:
并发:在一个时间段内多个任务依次执行
并行:是真正意义上的同时执行,一个时间节点多个任务同时执行

同步:排队+锁
synchronized(同步锁/对象){...}//修饰一段代码块或者一个方法
同步锁/对象要求:多个线程必须访问到的是同一个对象,对象用来记录有没有线程进入到同步代码块中。
以买票为例:有十张票,两个窗口同时抢票,分别使用继承Thread和实现Runnable接口两种方式实现
package ThreadTest;
public class Solution {
    public static void main(String[] args) {
        ThreadTest threadTest=new ThreadTest();
        Thread thread1=new Thread(threadTest);
        Thread thread2=new Thread(threadTest);
        thread1.start();
        thread2.start();
    }
}
package ThreadTest;
public class ThreadTest implements Runnable{
   static int num=10;
    @Override
    public void run() {
        synchronized (this) {
                while (true) {
                    if (num > 0) {
                        System.out.println(Thread.currentThread() + ":" + num);
                        num--;
                    } else {
                        break;
                    }
                }
        }
    }
}



















