且构网

分享程序员开发的那些事...
且构网 - 分享程序员编程开发的那些事

关于servlet的线程安全

更新时间:2023-12-04 12:17:58

您的问题归结为:从同一对象线程安全的多个线程调用方法.答案是:这取决于.如果您的对象(假设它是 servlet)是无状态的或只有 final 字段,则这是完全线程安全的.局部变量和参数对线程来说是局部的(驻留在堆栈上,而不是堆上).

Your question boils down to: is calling a method from multiple threads on the same object thread safe. And the answer is: it depends. If your object (let it be servlet) is stateless or has only final fields, this is completely thread safe. Local variables and parameters are local to the thread (reside on stack, not on heap).

此外,每个 service() 调用都会接收一个不同的 ServletRequestServletResponse 实例.然而,这里有一个不安全的 servlet 的例子:

Also each service() call receives a distinct instance of ServletRequest and ServletResponse. However, here is an example of an unsafe servlet:

public class UnsafeServlet implements Servlet {

    private int counter;

    public void init(ServletConfig config) throws ServletException {
    }

    public void service(ServletRequest request, ServletResponse response)
        ++counter;
    }

    public void destroy() {
    }

}

由于多个线程可以访问 counter 变量,因此必须以某种方式对其进行保护:要么使用 synchronized(volatile 还不够):

Since multiple threads can access the counter variable, it has to be secured somehow: either by using synchronized (volatile is not enough):

synchronized(this) {
    ++counter;
}

AtomicInteger:

private AtomicInteger counter = new AtomicInteger();

//...
counter.incrementAndGet();

在这种特殊情况下 AtomicInteger 更好,因为它使用 CAS CPU 操作是无锁的,而 synchronized 是互斥锁.

In this particular case AtomicInteger is much better since it is lock-free using CAS CPU operations while synchronized is a mutex.