953. Verifying an Alien Dictionary

2022/1/28 6:04:16

本文主要是介绍953. Verifying an Alien Dictionary,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!

To solve this problem, we need two steps:

1. Convert "order" string to a Hashmap, the key is the characor in the "order" string, value is its index.

2. Compare the words to check whether they are sorted correctly.

But how to compare multiple words? It's hard to compare multiple words, but it's very easy to compare two words, right? Then we can compare two words at a time.

The solution's Time complexity is O(m+n), m is the order's length, and n is words' length.

    Map<Character, Integer> map = new HashMap<>();

    public boolean isAlienSorted(String[] words, String order) {

        for (int i = 0; i < order.length(); i++) {
            map.put(order.charAt(i), i);
        }
        for (int i = 1; i < words.length; i++) {
            if (!compare(words[i - 1], words[i], map))
                return false;
        }
        return true;
    }

    private boolean compare(String w1, String w2, Map<Character, Integer> map) {
        int m = w1.length(), n = w2.length();
        int i = 0, j = 0;
        while (i < m && j < n) {
            if (map.get(w1.charAt(i)) < map.get(w2.charAt(j))) {   //the most important step, if c1<c2, then return this method immediately, don't have to compare the following characters any more.
                return true;
            } else if (map.get(w1.charAt(i)) == map.get(w2.charAt(j))) {
                i++;
                j++;
            } else {
                return false;
            }
        }
        return m <= n;  //compare the length
    }

 



这篇关于953. Verifying an Alien Dictionary的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!


扫一扫关注最新编程教程