web-dev-qa-db-ja.com

リフレクションによってゲッターを呼び出す最良の方法

特定の注釈を使用してフィールドの値を取得する必要があるため、リフレクションを使用して、このフィールドオブジェクトを取得できます。問題は、このフィールドは常にプライベートになることですが、事前にゲッターメソッドがあることは事前に知っています。私はsetAccesible(true)を使用してその値を取得できることを知っています(PermissionManagerがない場合)が、そのgetterメソッドを呼び出すことを好みます。

「get + fieldName」を検索することでメソッドを検索できることを知っています(たとえば、ブールフィールドの名前は「is + fieldName」と呼ばれることもあります)。

このゲッターを呼び出すより良い方法があるのだろうか(多くのフレームワークはゲッター/セッターを使用して属性にアクセスするため、別の方法で行うかもしれません)。

ありがとう

120
Javi

私はこれが正しい方向にあなたを向けるべきだと思う:

import Java.beans.*

for (PropertyDescriptor pd : Introspector.getBeanInfo(Foo.class).getPropertyDescriptors()) {
  if (pd.getReadMethod() != null && !"class".equals(pd.getName()))
    System.out.println(pd.getReadMethod().invoke(foo));
}

BeanInfoまたはPropertyDescriptorインスタンスを自分で、つまりIntrospectorを使用せずに作成できることに注意してください。ただし、Introspectorは、通常は良いこと(tm)であるキャッシュを内部的に実行します。キャッシュなしで満足している場合は、

// TODO check for non-existing readMethod
Object value = new PropertyDescriptor("name", Person.class).getReadMethod().invoke(person);

ただし、Java.beans APIを拡張および簡素化するライブラリは多数あります。 Commons BeanUtilsはよく知られた例です。そこで、あなたは単にそうするでしょう:

Object value = PropertyUtils.getProperty(person, "name");

BeanUtilsには、他の便利なものが付属しています。つまり、オンザフライでの値変換(オブジェクトから文字列、文字列からオブジェクト)は、ユーザー入力からのプロパティの設定を簡素化します。

225
sfussenegger

このために Reflections フレームワークを使用できます

import static org.reflections.ReflectionUtils.*;
Set<Method> getters = ReflectionUtils.getAllMethods(someClass,
      withModifier(Modifier.PUBLIC), withPrefix("get"), withAnnotation(annotation));
20
Naveedur Rahman

命名規則は、十分に確立された JavaBeans 仕様の一部であり、 Java.beans パッケージのクラスによってサポートされています。

4

リフレクションを呼び出したり、アノテーションを介して値のゲッターのシーケンスの順序を設定したりできます

public class Student {

    private String grade;

    private String name;

    private String id;

    private String gender;

    private Method[] methods;

    @Retention(RetentionPolicy.RUNTIME)
    public @interface Order {
        int value();
    }

    /**
     * Sort methods as per Order Annotations
     * 
     * @return
     */
    private void sortMethods() {

        methods = Student.class.getMethods();

        Arrays.sort(methods, new Comparator<Method>() {
            public int compare(Method o1, Method o2) {
                Order or1 = o1.getAnnotation(Order.class);
                Order or2 = o2.getAnnotation(Order.class);
                if (or1 != null && or2 != null) {
                    return or1.value() - or2.value();
                }
                else if (or1 != null && or2 == null) {
                    return -1;
                }
                else if (or1 == null && or2 != null) {
                    return 1;
                }
                return o1.getName().compareTo(o2.getName());
            }
        });
    }

    /**
     * Read Elements
     * 
     * @return
     */
    public void readElements() {
        int pos = 0;
        /**
         * Sort Methods
         */
        if (methods == null) {
            sortMethods();
        }
        for (Method method : methods) {
            String name = method.getName();
            if (name.startsWith("get") && !name.equalsIgnoreCase("getClass")) {
                pos++;
                String value = "";
                try {
                    value = (String) method.invoke(this);
                }
                catch (IllegalAccessException | IllegalArgumentException | InvocationTargetException e) {
                    e.printStackTrace();
                }
                System.out.println(name + " Pos: " + pos + " Value: " + value);
            }
        }
    }

    // /////////////////////// Getter and Setter Methods

    /**
     * @param grade
     * @param name
     * @param id
     * @param gender
     */
    public Student(String grade, String name, String id, String gender) {
        super();
        this.grade = grade;
        this.name = name;
        this.id = id;
        this.gender = gender;
    }

    /**
     * @return the grade
     */
    @Order(value = 4)
    public String getGrade() {
        return grade;
    }

    /**
     * @param grade the grade to set
     */
    public void setGrade(String grade) {
        this.grade = grade;
    }

    /**
     * @return the name
     */
    @Order(value = 2)
    public String getName() {
        return name;
    }

    /**
     * @param name the name to set
     */
    public void setName(String name) {
        this.name = name;
    }

    /**
     * @return the id
     */
    @Order(value = 1)
    public String getId() {
        return id;
    }

    /**
     * @param id the id to set
     */
    public void setId(String id) {
        this.id = id;
    }

    /**
     * @return the gender
     */
    @Order(value = 3)
    public String getGender() {
        return gender;
    }

    /**
     * @param gender the gender to set
     */
    public void setGender(String gender) {
        this.gender = gender;
    }

    /**
     * Main
     * 
     * @param args
     * @throws IOException
     * @throws SQLException
     * @throws InvocationTargetException
     * @throws IllegalArgumentException
     * @throws IllegalAccessException
     */
    public static void main(String args[]) throws IOException, SQLException, IllegalAccessException,
            IllegalArgumentException, InvocationTargetException {
        Student student = new Student("A", "Anand", "001", "Male");
        student.readElements();
    }
  }

ソート時に出力

getId Pos: 1 Value: 001
getName Pos: 2 Value: Anand
getGender Pos: 3 Value: Male
getGrade Pos: 4 Value: A
3
Anand