1. ホーム
  2. java

クラスからすべての変数値を出力する

2023-08-13 05:53:48

質問

Personに関する情報を持つクラスで、以下のようなものがあります。

public class Contact {
    private String name;
    private String location;
    private String address;
    private String email;
    private String phone;
    private String fax;

    public String toString() {
        // Something here
    }
    // Getters and setters.
}

私は toString() を返すように this.name +" - "+ this.locations + ... を全ての変数に対して返すようにしました。からわかるように、リフレクションを使って実装しようとしていたのです。 この質問 から示されたようにリフレクションを使用して実装しようとしましたが、私はインスタンス変数を印刷するために管理することができません。

これを解決するための正しい方法は何ですか?

どのように解決するのですか?

から toStringの実装 :

public String toString() {
  StringBuilder result = new StringBuilder();
  String newLine = System.getProperty("line.separator");

  result.append( this.getClass().getName() );
  result.append( " Object {" );
  result.append(newLine);

  //determine fields declared in this class only (no fields of superclass)
  Field[] fields = this.getClass().getDeclaredFields();

  //print field names paired with their values
  for ( Field field : fields  ) {
    result.append("  ");
    try {
      result.append( field.getName() );
      result.append(": ");
      //requires access to private field:
      result.append( field.get(this) );
    } catch ( IllegalAccessException ex ) {
      System.out.println(ex);
    }
    result.append(newLine);
  }
  result.append("}");

  return result.toString();
}