I am trying to extract similar strings from 2 arrays, and I have managed to do so, except they are duplicating. i.e. array 1 {"arrow", "arrow", "sycophant"} and array 2 ("arrow", "sycophant", "bulbasaur"} will give me the output of {"arrow", "arrow" ,"sycophant"}, while I am only trying to get arrow once. Any suggestions?
public static void main(String[] args) {
    String[] words1 = { "sycophant", "rattle", "zinc", "alloy", "tunnel", "arrow" };
    String[] words2 = { "sycophant", "arrow", "arrow" };
    // String prefix = "a";
    // String substring = "at";
    // char[] letters = { 'a', 'b' };
    // String[] output = wordsStartingWith(words1, prefix);
    // String[] output = wordsContainingPhrase(words1, substring);
    // String[] output = wordsContainingAll(words1, letters);
    String[] output = wordsInBoth(words1, words2);
    for (int i = 0; i < output.length; i++) {
        System.out.println("Words: " + i + " " + output[i]);
    }
}
public static String[] wordsInBoth(String[] words1, String[] words2) {
    // method that finds and returns common words in two arrays
    String[] returnWords;
    int countWords = 0;
    for (int i = 0; i < words1.length; i++) {
        for (int j = 0; j < words2.length; j++) {
            if (words1[i].equalsIgnoreCase(words2[j])) {
                countWords++;
            }
        }
    }
    returnWords = new String[countWords];
    countWords = 0;
    for (int i = 0; i < words1.length; i++) {
        for (int j = 0; j < words2.length; j++) {
            if (words1[i].equalsIgnoreCase(words2[j]) 
                    && !words1[i].equalsIgnoreCase(returnWords[countWords])) {
                returnWords[countWords] = words1[i];
                countWords++;
            }
        }
    }
    return returnWords;
}
 
     
     
     
     
     
     
    