Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Array of Strings contains only anagrams?

I have been given an exercise about anagrams and it looked so really easy that I have a doubt I am missing something. The solution I implemented is the one I will present shortly, and I wanted to ask you if you could think of any optimization, change of approach or problem with my solution. I implemented the algorithm in Java.

Now, the exercise. As input I have a text and as output I should return whether each line of this text is an anagram of each other line. That is, for input:

A Cab Deed Huffiest Minnows Loll
A Cab Deed Huffiest Minnow Lolls
A Cab Deed Shuffles Million Wont
A Cab Deed Shuffles Million Town

The program should return True. For input:

A Cab Deed Huffiest Minnows Loll
A Cab Deed Huffiest Minnow Lolls hi
A Cab Deed Shuffles Million Wont
A Cab Deed Shuffles Million Town

the output will have to be False (because of the second line, of course).

Now, what I thought is pretty straightforward:

  • I create 2 HashMap: ref and cur.
  • I parse the first line of the text, filling ref. I will count only alphabetical letters.
  • for each other line, I parse the line into cur and check if cur.equals(ref): if so return false
  • if I get to the end of the text, it means that each line is an anagram of each other line, so I return true.

And...this would be it. I tried it with an input text of 88000 lines, and it works pretty fast.

Any comments? Suggestions? Optimizations?

Thank you very much for the help.

like image 649
mdm Avatar asked Oct 03 '11 23:10

mdm


3 Answers

Another option is:

  1. Strip all characters you don't care about from the string (punctuation, whitespace)
  2. Make it lowercase
  3. Sort the string
  4. Compare to the reference string (with .equals)

I suspect your way is faster though.

EDIT:

Since @nibot disagrees with my even suggesting this, and I'm not one to argue back and forth without proof, here's three solutions.

They're all implemented very similarly:

  1. Convert line to lowercase
  2. Ignore non-alphabetic characters
  3. ?
  4. Check of the result of 3. matches the result from the first line

The ? part is one of:

  • Make a HashMap of character counts
  • Sorting the characters
  • Making a 26-int array (the ultimate hash table solution, but only works for the Latin alphabet)

I ran them all with this:

public static void time(String name, int repetitions, Function function,
        int expectedResult) throws Exception {
    long total = 0;
    for (int i = 0; i < repetitions; i++) {
        System.gc();
        long start = System.currentTimeMillis();
        int result = function.call();
        long end = System.currentTimeMillis();
        if (result != expectedResult) {
            System.out.println("Oops, " + name + " is broken");
            return;
        }
        total += end - start;
    }
    System.out.println("Executution of " + name + " took "
            + (total / repetitions) + " ms on average");
}

My file is similar to the one the OP posted, but made significantly longer, with a non-anagram about 20 lines from the end to ensure that the algorithms all work.

I consistently get results like this:

Execution of testWithHashMap took 158 ms on average
Execution of testWithSorting took 76 ms on average
Execution of testWithArray took 56 ms on average

The HashMap one could be significantly improved if:

  • There was a way to make a HashMap<char, int>
  • There was a way to specify the default value of in a HashMap and a way to get-and-increment (so there would only be one lookup instead of 2)

But, these aren't in the standard library, so I'm ignoring them (just like most programmers using Java would).

The moral of the story is that big O isn't everything. You need to consider the overhead and the size of n. In this case, n is fairly small, and the overhead of a HashMap is significant. With longer lines, that would likely change, but unfortunately I don't feel like figuring out where the break-even point is.

And if you still don't believe me, consider that GCC uses insertion sort in some cases in its C++ standard library.

like image 53
Brendan Long Avatar answered Oct 07 '22 04:10

Brendan Long


Assuming that your HashMap is a mapping from (character) -> (number of occurrences in the string), you pretty much have it.

I assume that you're supposed to ignore whitespace and punctuation, and treat uppercase and lowercase letters as the same. If you're not using any languages other than English, then a HashMap is overkill: you can simply use an array of 26 counts representing A..Z. If you need to support Unicode then the problem is of course much more complicated, as not only do you need to deal with possibly thousands of different kinds of letters, but you also have to define 'letter' (fortunately there exists character property data that helps with this) and 'lowercase/uppercase' (note that some languages don't have case, some can map two lowercase letters into a single uppercase one or vice-versa...). To say nothing of normalization :)

like image 36
Karl Knechtel Avatar answered Oct 07 '22 02:10

Karl Knechtel


Building in @Karl Knechtel's answer (and addressing your concern about supporting multiple alphabets):

  • Create interfaces (say) AnagramKey and AnagramKeyFactory. Design the rest of the application to be agnostic of the type of key used.

  • Create one implementation of the AnagramKey interface that internally uses an int[] to represent the character counts.

  • Create a second implementation of the AnagramKey interface that uses a HashMap<Character, Integer> to represent the character counts.

  • Create the corresponding factory interfaces.

  • Choose between the two ways of representing the keys using a command line parameter, the Locale, or something else.

Notes:

  1. It is not clear that "anagrams" make sense in the context of non-alphabetic languages, or for utterances that mix multiple languages into a "sentence". Also, I don't know whether anagrams in (say) French ignore the accents on characters. At any rate, I would be tempted to rule all of these cases as "out of scope" ... unless you have an explicit requirement to support them.

  2. The break-even density at which an int[] uses less space than a HashMap<Character, Integer> is asymptotically around 1 character in 15 across the range of characters in your count array. (Each entry in a HashMap with those key/value types occupies in the region of 15 32-bit words.) And that doesn't take account of the overheads of the HashMap node and the hash array node ...

  3. If you place limits on the length of the anagrams, you can save more space by using a short[] or even a byte[] for the character counts.

like image 23
Stephen C Avatar answered Oct 07 '22 04:10

Stephen C