1. 程式人生 > 實用技巧 >Spring的Controller是單例 怎麼保證併發的安全

Spring的Controller是單例 怎麼保證併發的安全

controller預設是單例的,不要使用非靜態的成員變數,否則會發生資料邏輯混亂。正因為單例所以不是執行緒安全的。

驗證示例:

@Controller
public class HelloController {

    private int num = 0;

    @GetMapping(value = "/testScope")
    @ResponseBody
    public void testScope() {
        System.out.println(++num);
    }

    @GetMapping(value = "/testScope2")
    @ResponseBody
    
public void testScope2() { System.out.println(++num); } }

首先訪問http://localhost:8081/testScope,得到的是1
然後再訪問http://localhost:8081/testScope2,得到的是2

得到的不同的值,這是執行緒不安全的。

controller增加作用多例@Scope("prototype")

@Controller
@Scope("prototype")
public class HelloController { private int num = 0; @GetMapping(value
= "/testScope") @ResponseBody public void testScope() { System.out.println(++num); } @GetMapping(value = "/testScope2") @ResponseBody public void testScope2() { System.out.println(++num); } }

首先訪問http://localhost:8081/testScope,得到的是1
然後再訪問http://localhost:8081/testScope2

,得到的是2

單例是不安全的,會導致屬性重複使用。

解決方案

1、不要在controller中定義成員變數。
2、萬一必須要定義一個非靜態成員變數時候,則通過註解@Scope(“prototype”),將其設定為多例模式。
3、在Controller中使用ThreadLocal變數

文章來源:https://blog.csdn.net/riemann_/article/details/97698560