5

我有一个初级课程如下:

public class classB{

  public classC getObject(String getstring){
     return new classC(getstring);
    }
}

classC一个构造函数:

public class classC{

 String string;

 public classC(String s){
  this.string = s;
 }

 public methodC(int i){
   <using the `string` variable here>
 }
}

现在我有一个classA将使用在classB其中创建的对象(当然是 的一个实例classC)。

public classA{
  int a = 0.5;

  <Get the object that was created in classB>.methodC(a);

}

这是必需的,因为在用户的某些操作上创建了一个变量并存储在classB其中,这将在classC's 方法中进一步使用。创建一个新对象会将我的变量classB设置为 null,这不是预期的。

我怎样才能做到这一点?

4

2 回答 2

1

假设它Brand是一个轻量级对象并且Run是重量级的,那么为轻量级对象创建一个带有容器的字段并将其隐藏是一个好主意。

但是Brand访问它所属的容器的需求可以通过映射来完成,但我们只是将其注入到容器中,Run因此最好用 JSR330Brand实现或注释它。并通过正常方式Runable访问容器。Run

class MainClass {
  public static void main(String[] args) {
    Run r = new Run();
  }
}

class Run {
  private Container con1 = new Container();

  public Run() {
    Brand cola = new Brand("Coca Cola");
    Brand pepsi = new Brand("Pepsi");

    // Creates the container object "con1" and adds brands to container.
    add(cola);
    add(pepsi);
  }
  public void add(Brand b){
    con1.addToList(b);
    b.setRun(this);
  }

  public Container getContainer() {
    return con1;
  }
}

class Brand {
  // In this class I have a method which needs to accsess the con1 object
// containing all the brands and I need to access the method
  private String name;
  private Run run;

  public Brand(String name){
    this.name = name;

  }
  public void brandMethod() {
    if(getRun().getContainer().methodExample()) {        // Error here. Can't find "con1".**
      System.out.println("Method example returned true.");
    }
  }


  public Run getRun() {
    return run;
  }

  public void setRun(Run run) {
    this.run = run;
  }
}

class Container {
  // This class is a container-list containing all brands brands
  private ArrayList<Object> list = new ArrayList<Object>();

  public boolean methodExample(){
    return false;
  }

  public void addToList(Object o) {
    list.add(o);
  }
}
于 2013-02-14T22:56:58.143 回答
0

如果要获取在 classB 中创建的对象,则应使用静态字段

public class classB {

  public static objectCReference;

  public classC getObject(String getstring){
     objectCReference =  new classC(getstring);
     return objectCReference;
  }
}

然后您可以访问 A 中的引用

public classA {
  int a = 0.5;

  if (classB.objectCReference != null) { // Make sure to null check 
    classB.objectCReference.methodC(a); 
  }

}

还请遵循语言约定,并以大写字母开头您的班级名称。

于 2016-04-23T16:02:18.537 回答