众所周知,只有一个同步方法可以同时运行。所以我的问题是如果我将run()方法声明为synchronized,然后运行多线程,其他线程是否可以运行run()方法? 像这样:
public Test extends Thread
{
public synchronized void run()
{...do something}
}
Test thread1 = new Test();
Test thread2 = new Test();
thread1.start();
thread2.start();
是否可以运行thread2或者thread2会等待thread1退出run()方法?
答案 0 :(得分:2)
实例方法上的synchronized
关键字可防止在同一实例上调用该方法的并发调用。
尝试以下(1):
class SynchTest {
public static void main(String[] args) {
// Note that we create a new Task each time.
new Thread(new Task()).start();
new Thread(new Task()).start();
new Thread(new Task()).start();
}
static class Task implements Runnable {
long start;
Task() {
this.start = System.currentTimeMillis();
}
@Override
public synchronized void run() {
try {
Thread.sleep(1000);
} catch (InterruptedException ignored) {
}
System.out.println(System.currentTimeMillis() - start);
}
}
}
这将输出如下内容:
1000
1001
1001
换句话说,自创建以来每个任务所用的时间大约为1秒,因此这意味着它们可以同时运行。
现在尝试以下(2):
class SynchTest {
public static void main(String[] args) {
// Now we pass the same instance each time.
Task t = new Task();
new Thread(t).start();
new Thread(t).start();
new Thread(t).start();
}
static class Task implements Runnable {
long start;
Task() {
this.start = System.currentTimeMillis();
}
@Override
public synchronized void run() {
try {
Thread.sleep(1000);
} catch (InterruptedException ignored) {
}
System.out.println(System.currentTimeMillis() - start);
}
}
}
将相同的实例传递给所有3个线程意味着线程将尝试在同一个实例上调用run
。这输出如下内容:
1001
2001
3001
换句话说,每个任务都是等待前一个任务。
如果确实想要synchronize
run
的每个对象,您可以指定自己的监控对象(3) :
class SynchTest {
public static void main(String[] args) {
new Thread(new Task()).start();
new Thread(new Task()).start();
new Thread(new Task()).start();
}
static class Task implements Runnable {
long start;
Task() {
this.start = System.currentTimeMillis();
}
static final Object STATIC_MONITOR = new Object();
@Override
public void run() {
synchronized (STATIC_MONITOR) {
try {
Thread.sleep(1000);
} catch (InterruptedException ignored) {
}
System.out.println(System.currentTimeMillis() - start);
}
}
}
}
即使我们每次都创建一个新任务,它也会输出与示例2相同的内容。
答案 1 :(得分:1)
您将创建两个Test实例,并且每个线程都运行两个线程,因此其他线程无法运行run()方法。 仅当您的两个线程使用相同的实例运行时才这样:
class CustomTask implements Runnable {
private int number;
public synchronized void run() {
while(!Thread.currentThread().isInterrupted()){
System.out.println(Thread.currentThread().getName() + ": " + number);
Thread.yield();
++number;
}
}
}
public class ThreadTest {
public static void main(String... args) throws Exception {
CustomTask ct = new CustomTask();
ExecutorService exec = Executors.newCachedThreadPool();
for(int i = 0; i < 2; i++){
exec.execute(ct);
}
TimeUnit.MILLISECONDS.sleep(1);
exec.shutdownNow();
}
}
运行方法需要一个同步关键字。