简体   繁体   中英

How do I prefix a String to each element in an array of Strings?

I would like to know if there is, in Java, a function that can prefix a defined String to the beginning of every String of an array of Strings.

For example,

my_function({"apple", "orange", "ant"}, "eat an ")  would return {"eat an apple", "eat an orange", "eat an ant"}

Currently, I coded this function, but I wonder if it already exists.

Nope. Since it should be about a three-line function, you're probably better of just sticking with the one you coded.

Update

With Java 8, the syntax is simple enough I'm not even sure if it's worth creating a function for:

List<String> eatFoods = foodNames.stream()
    .map(s -> "eat an " + s)
    .collect(Collectors.toList());

Nothing like this exists in the java libraries. This isn't Lisp, so Arrays are not Lists, and a bunch of List oriented functions aren't already provided for you. That's partially due to Java's typing system, which would make it impractical to provide so many similar functions for all of the different types that can be used in a list-oriented manner.

public String[] prepend(String[] input, String prepend) {
   String[] output = new String[input.length];
   for (int index = 0; index < input.length; index++) {
      output[index] = "" + prepend + input[index];
   }
   return output;
}

Will do the trick for arrays, but there are also List interfaces, which include resizable ArrayList s, Vector s, Iteration s, LinkedList s, and on, and on, and on.

Due to the particulars of object oriented programming, each one of these different implementations would have to implement "prepend(...)" which would put a heavy toll on anyone caring to implement a list of any kind. In Lisp, this isn't so because the function can be stored independently of an Object.

How about something like...

public static String[] appendTo(String toAppend, String... appendees) {
    for(int i=0;i<appendees.length;i++)
        appendees[i] = toAppend + appendees[i];
    return appendees;
}

String[] eating = appendTo("eat an ", "apple", "orange", "ant")

You could use a stream with a .concat() method reference

    List<String> eatingFoods = foods.stream()
        .map("eat an "::concat)
        .collect(Collectors.toList());

The technical post webpages of this site follow the CC BY-SA 4.0 protocol. If you need to reprint, please indicate the site URL or the original address.Any question please contact:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM