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

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

答案

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

我們下面來簡單的驗證下:

package com.riemann.springbootdemo.controller;

import org.springframework.context.annotation.Scope;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;

/**
 * @author riemann
 * @date 2019/07/29 22:56
 */
@Controller
public class ScopeTestController {

    private int num = 0;

    @RequestMapping("/testScope")
    public void testScope() {
        System.out.println(++num);
    }

    @RequestMapping("/testScope2")
    public void testScope2() {
        System.out.println(++num);
    }

}

  

我們首先訪問http://localhost:8080/testScope,得到的答案是1;然後我們再訪問http://localhost:8080/testScope2,得到的答案是2

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

接下來我們再來給controller增加作用多例@Scope("prototype")

package com.riemann.springbootdemo.controller;

import org.springframework.context.annotation.Scope;
import org.springframework.stereotype.Controller;
import org.springframework.web.bind.annotation.RequestMapping;

/**
 * @author riemann
 * @date 2019/07/29 22:56
 */
@Controller
@Scope("prototype")
public class ScopeTestController {

    private int num = 0;

    @RequestMapping("/testScope")
    public void testScope() {
        System.out.println(++num);
    }

    @RequestMapping("/testScope2")
    public void testScope2() {
        System.out.println(++num);
    }

}

  

我們依舊首先訪問http://localhost:8080/testScope,得到的答案是1;然後我們再訪問http://localhost:8080/testScope2,得到的答案還是1

相信大家不難發現 :

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

解決方案

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

補充說明

spring bean作用域有以下5個:

  • singleton:單例模式,當spring建立applicationContext容器的時候,spring會欲初始化所有的該作用域例項,加上lazy-init就可以避免預處理;
  • prototype:原型模式,每次通過getBean獲取該bean就會新產生一個例項,建立後spring將不再對其管理; (下面是在web專案下才用到的)
  • request:搞web的大家都應該明白request的域了吧,就是每次請求都新產生一個例項,和prototype不同就是建立後,接下來的管理,spring依然在監聽;
  • session:每次會話,同上;
  • global session:全域性的web域,類似於servlet中的application。

文章來自知乎:https://zhuanlan.zhihu.com/p/200734501