您的当前位置:首页正文

Controller 默认的是单例还是多例

2024-11-08 来源:个人技术集锦

前言

看spring容器依赖注入的时候,说的spring容器默认注入的都是单例对象,也就是spring容器里面存的都是单例对象,即一个对象只会存在一个。然后就突然想到一个常见的面试题:平时用的Controller是单例还是多例?
相信很多人都知道是单例,所以我们就来证明一下!

测试代码:
import org.springframework.context.annotation.Scope;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

/**
 * @Description:
 * @Date: 2021/8/4 15:06
 */
@RestController
@RequestMapping("/prototype")
//@Scope(value = "prototype")
public class PrototypeController {

    @GetMapping("/test")
    private void test1(){
        System.out.println(this);
    }
}
打印结果:

多例测试

多例测试在Controller上加一个注解:@Scope(value = “prototype”),看代码:

import org.springframework.context.annotation.Scope;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

/**
 * @Description:
 * @Date: 2021/8/4 15:06
 */
@RestController
@RequestMapping("/prototype")
@Scope(value = "prototype")
public class PrototypeController {

    @GetMapping("/test")
    private void test1(){
        System.out.println(this);
    }
}
多例测试打印结果:

单例对象成员变量测试

单例模式,定义一个成员变量,调用接口访问几次,看变量值的变化:
import org.springframework.context.annotation.Scope;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

/**
 * @Description:
 * @Date: 2021/8/4 15:06
 */
@RestController
@RequestMapping("/prototype")
public class PrototypeController {

    private Integer x = 5;
    @GetMapping("/test")
    private void test1(){
        System.out.println(++x);
        System.out.println(this);
    }
}
测试结果:

多例模式,定义一个成员变量,调用接口访问几次,看变量值的变化:
import org.springframework.context.annotation.Scope;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;

/**
 * @Description:
 * @Date: 2021/8/4 15:06
 */
@RestController
@RequestMapping("/prototype")
@Scope(value = "prototype")
public class PrototypeController {

    private Integer x = 5;
    @GetMapping("/test")
    private void test1(){
        System.out.println(++x);
        System.out.println(this);
    }
}
测试结果:

总结

SpringMVC的controller默认是单例的,使用的时候切记不要在里面定义一些非线程安全成员变量或者其他对象,大家都会共享这个变量。也可以通过上锁解决!

如果这篇文章帮助到了你,欢迎点赞+收藏哦!!!

Top