Convert to char array

Report a typo

Imagine that we have a typing machine that accepts only one letter at a time for writing, but we want to write an array of words instead.

public class LetterPrinter {
    public void write(char letter) {
        //implementation
    }
}

To adapt an input to the LetterPrinter we need to write a converter from String[] to char[] and pass letters one by one to LetterPrinter instance:

public void writeWords(String[] words) throws IOException {
    LetterPrinter printer = new LetterPrinter();

    char[] letters = convert(words); // converting method
    for (char letter : letters) {
       printer.write(letter);
    }
}

Implement the convert method that converts String[] to char[].

Hint: use CharArrayWriter.

Example:
Input: ["This", " ", "is", " ", "a", " ", "test"]
Output: ["T", "h", "i", "s", " ", "i", "s", " ", "a", " ", "t", "e", "s", "t"]

Write a program in Java 17
import java.io.IOException;

class Converter {
public static char[] convert(String[] words) throws IOException {
// implement the method
}
}
___

Create a free account to access the full topic