java程序怎么上锁

时间:2025-01-25 03:31:34 单机游戏

在Java中,可以使用以下几种方法来上锁:

synchronized关键字

修饰方法:直接在方法声明前加上`synchronized`关键字,这样整个方法体都会被同步访问。

修饰代码块:使用`synchronized`关键字修饰一个代码块,需要指定一个对象作为锁,线程在进入该代码块时会获取该对象的锁,离开时释放锁。

示例:

```java

public class SynchronizedExample {

private int count = 0;

public synchronized void increment() {

count++;

}

public void execute() {

for (int i = 0; i < 1000; i++) {

increment();

}

}

public int getCount() {

return count;

}

}

```

ReentrantLock类

创建锁对象:使用`ReentrantLock`类创建一个锁对象。

获取锁:通过`lock()`方法获取锁,如果锁已经被其他线程获取,当前线程将会被阻塞,直到获取到锁为止。

释放锁:通过`unlock()`方法释放锁,确保在代码块执行完毕后释放锁,以便其他线程可以获取锁并执行后续代码。

示例:

```java

import java.util.concurrent.locks.ReentrantLock;

public class MyService {

private final ReentrantLock lock = new ReentrantLock();

public void performTask() {

lock.lock();

try {

// 需要加锁的代码

} finally {

lock.unlock();

}

}

}

```

wait和notify

这些方法用于线程间的协作,需要与`synchronized`关键字或`Lock`对象结合使用。`wait()`方法会使当前线程等待,直到其他线程调用同一对象的`notify()`或`notifyAll()`方法。

示例:

```java

package com.lockSupport;

import java.util.concurrent.locks.Condition;

import java.util.concurrent.locks.Lock;

import java.util.concurrent.locks.ReentrantLock;

public class LockSupportTest {

private static final Lock lock = new ReentrantLock();

private static final Condition condition = lock.newCondition();

public static void main(String[] args) throws InterruptedException {

Thread thread1 = new Thread(() -> {

lock.lock();

try {

condition.await();

} catch (InterruptedException e) {

e.printStackTrace();

} finally {

lock.unlock();

}

});

Thread thread2 = new Thread(() -> {

lock.lock();

try {

condition.signal();

} finally {

lock.unlock();

}

});

thread1.start();

thread2.start();

thread1.join();

thread2.join();

}

}

```

LockSupport类

提供了一些用于线程阻塞和唤醒的方法,如`park()`和`unpark()`,这些方法不需要加锁就可以使用。

示例:

```java

package com.lockSupport;

import java.util.concurrent.locks.LockSupport;

public class LockSupportTest {

public static void main(String[] args) {

Thread thread1 = new Thread(() -> {

System.out.println("Thread 1: Waiting...");

LockSupport.park();

System.out.println("Thread 1: Awakened");

});

Thread thread2 = new Thread(() -> {

try {

Thread.sleep(1000);

} catch (InterruptedException e) {

e.printStackTrace();

}

System.out.println("Thread 2: Awakening Thread 1");

LockSupport.unpark(thread1);

});

thread1.start();

thread2.start();

}

}

```

建议

选择合适的锁机制:根据具体需求选择合适的锁机制,`synchronized`关键字适用于简单同步需求,而`ReentrantLock`类提供了更灵活的锁控制。

避免死锁