1.setName//设置线程名字
2.getName//返回线程名字
3.start//使线程开始执行,jvm底层调用start0方法
4.run//调用线程对象的run方法
5.setPriority//更改线程的优先性
6.getPriority//获得线程的优先性
7.sleep//在指定毫秒内使当前线程休眠
8.interrupt//中断线程
应用一下
主线程每隔一秒输出一个hi,一共十次,当输出五个hi后启动一个子线程每隔一秒输出hello,输出十次后退出
主线程继续输出直到输完退出
public class ThreadMethodExercise {
public static void main(String[] args) throws InterruptedException {
Thread t3 = new Thread(new T3());//创建子线程
for (int i = 1; i <= 10; i++) {
System.out.println("hi " + i);
if(i == 5) {//说明主线程输出了 5 次 hi
t3.start();//启动子线程 输出 hello... t3.join();//立即将 t3 子线程,插入到 main 线程,让 t3 先执行
}
Thread.sleep(1000);//输出一次 hi, 让 main 线程也休眠 1s
}
}
}
class T3 implements Runnable {
private int count = 0;
@Override
public void run() {
while (true) {
System.out.println("hello " + (++count));
try {
Thread.sleep(1000);
} catch (InterruptedException e) {
e.printStackTrace();
}
if (count == 10) {
break;
}
}
}
}