4

私はOOPが初めてで、int、string、doubleなどではないものを設定する方法を考えていました.

Foo と Bar の 2 つのクラスといくつかのインスタンス変数があります。Bar タイプのインスタンス変数を設定するにはどうすればよいですか?

public class Foo
{
    //instance variables
    private String name;        
    Bar test1, test2;

    //default constructor
    public Foo()
    {
        name = "";
        //how would I set test1 and test 2?
    }
}

public class Bar
{
    private String nameTest; 

    //constructors
    public Bar()
    {
        nameTest = "";
    }
}
4

4 に答える 4

3

他の方法と同じように、 a のインスタンスを作成し、Barそれをインスタンス プロパティに設定します。

これらのインスタンスをコンストラクターで作成したり、コンストラクターに渡したり、セッターで設定したりできます。

public class Foo {

    private Bar test1;

    public Foo() {
        test1 = new Bar();
    }

    public Foo(Bar bar1) {
        test1 = bar1;
    }

    public void setTest1(Bar bar) {
        test1 = bar;
    }

    public static void main(String[] args) {
        Foo f1 = new Foo();
        Foo f2 = new Foo(new Bar());
        f2.setTest1(new Bar());
    }

}
于 2012-09-06T01:13:07.060 に答える
3

Bar演算子を使用しての新しいインスタンスを作成し、newそれらをメンバー変数に割り当てる必要があります。

public Foo() {
  name = "";
  test1 = new Bar();
  test2 = new Bar();
}

参考文献:

于 2012-09-06T01:13:07.733 に答える
1

この例を試してください

public class Person {

    private String name;
    private int age;

    public Person(String name, int age) {
        this.name = name;
        this.age = age;
    }        
    //getters and setters        
}


public class Student {

    private String school;
    private Person person;

    public Student(Person person, String school) {
        this.person = person;
        this.school = school;
    }        
    //code here
}

class Main {

   public static void main(String args[]) {
      Person p = new Person("name", 10);
      Student s = new Student(p, "uwu");
   }

}

String 、 Integer 、 Double なども person のようなクラス

于 2012-09-06T04:13:04.997 に答える
1

デフォルトのコンストラクターでBarを設定する場合は、インスタンス化する必要があります。

これはnew 演算子を使用して行われます。

Bar someBar = new Bar();

パラメータを使用してコンストラクタを作成することもできます。

String をパラメーターとして受け取るBarコンストラクターを作成する方法は次のとおりです。

class Bar {

    private String name;

    public Bar(String n) {
        name = n;
    }

}

Foo のデフォルト コンストラクターで新しいBarコンストラクターを使用する方法は次のとおりです。

class Foo {

    private String name;
    private Bar theBar;

    public Foo() {
        name = "Sam";
        theBar = new Bar("Cheers");
    }

}

さらに賢くするために、2 つのパラメーターを取る新しいFooコンストラクターを作成できます。

class Foo {

    private String name;
    private Bar theBar;

    public Foo(String fooName, String barName) {
        name = fooName;
        theBar = new Bar(barName);
    }  

}
于 2012-09-06T01:41:02.730 に答える