我在 Spring 学习中遇到问题,需要一些帮助。

我正在学习bean的原型范围,这基本上意味着每次有人或某些其他bean需要该bean时,Spring都会创建一个新bean,而不使用相同的bean。

所以我尝试了这段代码,假设我有这个Product类:

public class Product {

    private String categoryOfProduct;

    private String name;

    private String brand;

    private double price;

    public String getCategoryOfProduct() {
        return categoryOfProduct;
    }

    public void setCategoryOfProduct(String categoryOfProduct) {
        this.categoryOfProduct = categoryOfProduct;
    }

    public String getName() {
        return name;
    }

    public void setName(String name) {
        this.name = name;
    }

    public String getBrand() {
        return brand;
    }

    public void setBrand(String brand) {
        this.brand = brand;
    }

    public double getPrice() {
        return price;
    }

    public void setPrice(double price) {
        this.price = price;
    }
}

这里没有什么特别的,一些Strings,一个Int以及getter和setter。
然后我创建了这个上下文文件:

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans-2.0.xsd">

    <bean id="product" class="com.springDiscovery.org.product.Product" scope="prototype">
        <property name="brand" value="Sega"/>
        <property name="categoryOfProduct" value="Video Games"/>
        <property name="name" value="Sonic the Hedgehog"/>
        <property name="price" value="70"/>
     </bean>
</beans>

然后我尝试玩这个类,看看我对原型范围的理解是否正确:
package com.springDiscovery.org.menu;

import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
import com.springDiscovery.org.product.Product;


public class menu {

    public static void main(String[] args)
    {
        ApplicationContext context = new ClassPathXmlApplicationContext("spring-context.xml");
        Product product1 = (Product) context.getBean("product");
        Product product2 = (Product) context.getBean("product");

        System.out.println(product1.getPrice());
        System.out.println("Let's change the price of this incredible game : ");
        product1.setPrice(80);
        System.out.println("Price for product1 object");
        System.out.println(product1.getPrice());
        System.out.println("Price Product 2 : ");
        System.out.println(product2.getPrice());
    }
}

令我惊讶的是:
70.0
Let's change the price of this incredible game :
Price for product1 object
80.0
Price Product 2 :
80.0

因此,当我更新product1对象的值时,似乎也对产品2进行了更新。对我来说,这似乎是一种奇怪的行为,不是吗?

最佳答案

您对原型范围的理解是正确的。从文档中:

Bean部署的非单一原型范围会在每次对该特定Bean发出请求时(即,将其注入另一个Bean或通过以下方式通过编程的getBean()方法调用来请求)创建一个新的Bean实例:容器)。

就是说,我无法重现您观察到的行为(我正在运行您提供的代码)。这是我用spring-2.5.6.SEC01.jar得到的:

70.0
让我们更改这个令人难以置信的游戏的价格:
产品1对象的价格
80.0
价格产品2:
70.0

我没有尝试过所有版本的Spring,但是您可能使用的是错误版本(虽然不太可能),或者某个地方存在另一个问题(更可能)。

09-29 19:21
查看更多