Concatenate variable argument list

195 Views Asked by At

I want to prepend a String to a variable list of String arguments.

public String myMethod(String... args) {
    return myOtherMethod("some string" + args);
}

Now, this of course will not work, because you cannot add these two types as such. How can I insert this string at the beginning of the list and then call myOtherMethod()?

EDIT: myOtherMethod() takes another String... as its argument. I am also limited to Java 7.

1

There are 1 best solutions below

2
On BEST ANSWER

There isn't a way around creating a new String[], like so:

public String myMethod(String... args) {
  String[] concatenatedArray = new String[args.length + 1];
  concatenatedArray[0] = "other string";
  for (int i = 0; i < args.length; i++) { // or System.arraycopy...
    concatenatedArray[i + 1] = args[i];
  }
  return myOtherMethod(concatenatedArray);
}

Or, if third-party libraries are allowed, using Guava you could just write

return myOtherMethod(ObjectArrays.concat("other string", args));