2

我不明白为什么这是有效的,请帮助教育我。

Config CFIG = new Config();
Tile selectedTile = CFIG.tileGallery.get(1);
System.out.println("This is the name:" + selectedTile.getName());
Feature selectedFeature = CFIG.featureGallery.get(3);
System.out.println("This is the name:" + selectedFeature.getName()+ 
    " " + selectedFeature.getEffect(0));

我初始化对象CFIG,它设置了类Config tileGalleryArrayList 和featureGalleryArrayList 的成员变量。当我运行代码时,它可以工作,输出选定的测试值。但是对于这两个声明性语句,Netbeans 都会给出“访问静态字段”的警告

使用“替换为类引用”的提示,它将语句更改为:

Tile selectedTile = Config.tileGallery.get(1);
Feature selectedFeature = Config.featureGallery.get(3);

当我运行它时,它仍然有效!

问题,配置。没有识别从哪个 Config 对象调用数据。现在我只存在一个 Config 对象,但即使我初始化了第二个 Config 对象,它仍然不会显得混乱。

这里发生了什么?

编辑:andih 想知道配置类的代码是什么。我没有添加它,因为它并不多,并且认为您可以轻松地假设它与该问题相关。但是,这里是,以防万一。

public class Config {
    public static ArrayList<Tile> tileGallery;
    public static ArrayList<Feature> featureGallery;

    public Config (){
        this.tileGallery = Tile.ReadTileXML();
        this.featureGallery = Feature.ReadFeatureXML();
    }
}
4

2 回答 2

3

static 关键字表示该字段属于类而不是类的实例。即使你创建了一百个对象,这个字段也会在它们之间共享。每个实例中的这些静态字段“tileGallery”和“featureGallery”将指向内存中的相同对象。

静态变量在类加载时只在类区域中获取一次内存。

于 2016-07-05T03:57:08.563 回答
1

如果没有你的类的确切代码,Config很难说,但看起来你的Config类使用静态字段,如

   public class Config {
      public Config() { 
         titleGallery = new ArrayList();
         titleTallery.add(new Title());
      }

      public static List<Title> titleGalery;
    }

这就是提示所说的。

在这种情况下,您的所有Config实例共享相同的 titleGalery,您可以通过Config.titleGalery.

如果您想要Config具有不同值的不同实例,则必须删除static关键字才能获得独立的实例字段。

public class Config {
      public Config() { 
         titleGallery = new ArrayList();
         titleGallery.add(new Title());
      }

      // old: public static List<Title> titleGalery;
      public List<Title> titleGalery;
    }
于 2016-07-05T03:58:53.763 回答