How to get the name of a private field of a child class from the super class using reflection or libraries?

258 Views Asked by At

Let's say I have this code structure:

public abstract class A {
 // members
 ...
 
 // constructor
 ...
 
 // methods
 protected void enterValue(By locator, String value) {
  ...
  System.out.println("entered " + value + " into the " + locator...);
 }
}

public class B extends A {
 // members
 private final By SEARCH_FIELD = By.id("search");
 // ... other FIELD members
 
 // constructor
 ...

 // methods
 public void searchProduct(String product) {
  enterValue(SEARCH_FIELD, product);
  ...
 }
}

The enterValue(By, String) method should print for example: "entered Talent into the SEARCH_FIELD".
Also, I can have other classes of the same structure as class B that can call the class A method so I don't know the child's class name and which field it would be in advance.
Is this something I can achieve with Reflection in Java or with some libraries?
My goal is to log every action with meaningful names into my ExtentReports.

2

There are 2 best solutions below

0
On

getDeclaredFields() of Class gives all the declared fields in the class both public and private. It won't return inherited field .You can use Modifier to check if it is private or not.

List<Field> privateFieldList = new ArrayList<>();
Field[] Fields = SomeClass.class.getDeclaredFields();
for (Field field : Fields) {
    if (Modifier.isPrivate(field.getModifiers())) {
        privateFieldList.add(field);
    }
}

Use Field.getType() to check the type

0
On

As I mentioned in my comment, I'd seek a different solution.

Typically, for similar problems, I use an abstract method:

public abstract class A {

    protected abstract String getLocatorName();

    protected void enterValue(String value) {
        System.out.println("entered " + value + " into the " + getLocatorName() + "...");
    }
}

Implement it in the child class:

public class B extends A {

    private static final String LOCATOR_NAME = "SEARCH_FIELD";
    private final By searchField = By.id("search");

    public void searchProduct(String product) {
        enterValue(product);
    }

    @Override
    protected String getLocatorName() {
        return LOCATOR_NAME;
    }
}