Java generic varargs method parameters

2022-09-02 22:31:41

我想知道是否有一种简单,优雅且可重用的方法将字符串和字符串数组传递给期望varargs的方法。

/**
 * The entry point with a clearly separated list of parameters.
 */
public void separated(String p1, String ... p2) {
    merged(p1, p2, "another string", new String[]{"and", "those", "one"});
}

/**
 * For instance, this method outputs all the parameters.
 */
public void merged(String ... p) {
    // magic trick
}

即使所有类型都是一致的(),我也找不到一种方法告诉JVM将p2展平并将其注入合并的参数列表?String

此时,唯一的方法是创建一个新数组,将所有内容复制到其中并将其传递给函数。

有什么想法吗?


编辑

根据您的建议,这里是我将使用的通用方法:

/**
 * Merge the T and T[] parameters into a new array.
 *
 * @param type       the destination array type
 * @param parameters the parameters to merge
 * @param <T>        Any type
 * @return the new holder
 */
@SuppressWarnings("unchecked")
public static <T> T[] normalize(Class<T> type, Object... parameters) {
    List<T> flatten = new ArrayList<>();
    for (Object p : parameters) {
        if (p == null) {
            // hum... assume it is a single element
            flatten.add(null);
            continue;
        }
        if (type.isInstance(p)) {
            flatten.add((T) p);
            continue;
        }
        if (p.getClass().isArray() && 
            p.getClass().getComponentType().equals(type)) {
            Collections.addAll(flatten, (T[]) p);
        } else {
            throw new RuntimeException("should be " + type.getName() + 
                                             " or " + type.getName() + 
                                             "[] but was " + p.getClass());
        }
    }
    return flatten.toArray((T[]) Array.newInstance(type, flatten.size()));
}

normalize(String.class, "1", "2", new String[]{"3", "4", null}, null, "7", "8");

答案 1

我不认为有办法将标量和数组隐式扁平化为单个数组。

我能想到的最干净的解决方案是使用一个帮助器函数:

// generic helper function
public static<T> T[] join(T scalar, T[] arr) {
    T[] ret = Arrays.copyOfRange(arr, 0, arr.length + 1);
    System.arraycopy(ret, 0, ret, 1, arr.length);
    ret[0] = scalar;
    return ret;
}

public void separated(String p1, String ... p2) {
    merged(join(p1, p2));
}

答案 2

将 的签名更改为:merge

public<T> void merged(T ... p) 

至少可以让你毫无问题地调用合并。但是,您必须将字符串数组作为参数进行处理。