Generic OR instead of AND <T extends Number | CharSequence>

14,385

Solution 1

If you really want to do that, you'll need to wrap youur accepted classes inside a custom class of your own. In your example case, probably something like:

public class OrDoerElement {
    private final Number numberValue;
    private final CharSequence charSequenceValue;

    private OrDoerElement(Number number, CharSequence charSequence) {
        this.numberValue = number;
        this.charSequenceValue = charSequence;
    }

    public static OrDoerElement fromCharSequence(CharSequence value) {
        return new OrDoerElement(null, value);
    }

    public static OrDoerElement fromNumber(Number value) {
        return new OrDoerElement(value, null);
    }
}

And your orDoer method becomes:

public void orDoer(OrDoerElement someData) { .... }

Then you can build one of those and use in your method using either:

orDoer(OrDoerElement.fromCharSequence("a string of chars"));
orDoer(OrDoerElement.fromNumber(new Integer(6)));

But honestly, that sounds a bit too complex and too much work just to be able to call a method with different parameter types. Are you sure you can't achieve the same using two methods, and a third method for the common logic?

Solution 2

Is using an anonymous abstract class an option for you? When I need type safe parameters or return types, I use some variant of the code below. That being said, I agree with the other comments here, and am curious what benefit you really derive when you're enforcing a type safety for a group of objects that don't have all that much in common.

public abstract class Doer<T> {

  public void do(T obj) {
    // do some stuff. 
  }

}

// calling method

new Doer<Number>(){}.do(new Integer(5));
Share:
14,385
Cel
Author by

Cel

Contact: http://www.linkedin.com/pub/kristjan-laane/40/9b0/698

Updated on July 28, 2022

Comments

  • Cel
    Cel almost 2 years

    Is it possible to generically parameterize a method accepting EITHER ClassA OR InterfaceB ?

    Does Not Compile Due to | Pseudocode

    public <T extends Number | CharSequence> void orDoer(T someData){ // ... }
    

    i.e. instead of writing multiple method signatures, I would like this one method to accept either a Number or CharSequence as an argument

    Should Pass with a Number OR CharSequence argument

    orDoer(new Integer(6));
    int somePrimitive = 4;
    orDoer(somePrimitive);
    orDoer("a string of chars");