Java代码:
// Create a second thread.
class NewThread implements Runnable
{
Thread t;
NewThread()
{
t = new Thread(this, "Demo Thread"); // Create a new, second thread
System.out.println("Child thread: " + t);
t.start(); // Start the thread
}
public void run() // This is the entry point for the second thread.
{
justCall();
}
public synchronized void justCall()
{
try
{
for(int i = 10; i > 0; i--)
{
System.out.println("Child Thread: " + i);
Thread.sleep(10000);
}
}
catch (Exception e)
{
System.out.println("Child interrupted.");
}
System.out.println("Exiting child thread.");
}
}
class ThreadDemo
{
public static void main(String args[])
{
NewThread nt = new NewThread(); // create a new thread
try
{
for(int i = 5; i > 0; i--)
{
System.out.println("Main Thread: " + i);
Thread.sleep(1000);
}
}
catch (InterruptedException e)
{
System.out.println("Main thread interrupted.");
}
System.out.println("Main thread exiting.");
}
}
这里你可以删除同步的justCall()方法,你可以在run()方法中初始化同步块(将justCall()方法的代码放在同步块中)。
如何在此处同步子代码?请帮忙。我读到Thread.sleep()方法在同步块或方法中执行时从不释放锁。但在我的代码主线程和子代码并发执行。请使用Thread.sleep()方法帮助同步子代码。
答案 0 :(得分:2)
当两个线程在同一个对象上同步时,它们不会同时运行相同的代码。这允许许多不同的线程同时在许多不同的代码区域中协作运行。
非静态方法上的synchronized
会在this
对象上创建锁定。如果它是一个静态方法,那么锁将存在于Class
类的NewThread
对象上。任何类和任何类的任何实例都可以有一个syncronized
,从而创建一个锁。
同步区域中只有一个线程在运行。因此,当它被锁定时,没有其他线程尝试运行锁定的代码。没有其他线程尝试在nt
类的NewThread
实例上进行同步。
您可能想尝试这样做:
NewThread nt1 = new NewThread(); // create a new thread
NewThread nt2 = new NewThread(); // create a 2nd new thread
然后在主课程中省略循环。