如何在不使用return?
的情况下从B类中的方法更新A类中的对象?例如:
public class A {
//my main class
private javax.swing.JTextField txtField1;
//a text field (txtField1) is initialized in this class and drawn
}
public class B {
public void doSomething(){
//does something and updates the txtField1 in class A
}
}
再一次,我不想使用返回,因为我的返回已经从同一方法返回了另一个值。
答案 0 :(得分:4)
有很多方法可以实现这一目标。最简单的方法是将对象传递给B类中的方法:
public void doSomething(JTextField fieldToUpdate){
//your logic here
fieldToUpdate.setText("something");
}
然后您可以直接更新fieldToUpdate
。这不是一个很好的设计模式,因为它直接暴露了对1类拥有的变量的控制。
另一种方法是将A类实例传递给方法并在其上调用公共方法:
public void doSomething(A aInstance){
//your logic here
aInstance.setText("something");
}
然后在A级你需要定义
public void setText(String text){
txtField1.setText(text);
}
由于B类无法直接访问A类内部,因此情况稍好一些。
更加封装的响应(尽管对于这种简单的情况可能有点过分)是定义一个接口并将实现接口的类的实例传递给B类中的方法:
public void doSomething(TextDisplayer txt){
//your logic here
txt.setText("something");
}
然后在课堂上a:
public class A implements TextDisplayer{
public void setText(String txt){
txtField1.setText(txt);
}
}
然后是界面:
public interface TextDisplayer{
public void setText(String txt);
}
这种方法的优点是它可以使B类与A类完全分离。它所关心的是它传递了一些知道如何处理setText方法的东西。同样,在这种情况下,它可能是矫枉过正,但它是使您的类尽可能分离的方法。
答案 1 :(得分:0)
您需要调用类A
中的方法,或者将文本字段设置为静态(不好主意)。
根据用途,类A
可以将B
实例化为摇摆工作者/等。并为B
提供所需的具体信息。它也可能是另一种方式,B
实例化一个`A。
答案 2 :(得分:0)
假设您在A中有一个公共setter方法来更改txtField1的值。 (因为您要更改的属性具有关键字“private”)
在A中说,你有
public void setTxtField1Value(String newValue){
this.txtField1.value=newValue; // using the right method in api. I am not familiar with gui..
}
然后在B中,方法是:
public class B {
public void doSomething(A a){
//does something and updates the txtField1 in class A
a.setTxtField1Value("foobar");
}
}