Tuesday, June 30, 2015

Compare Strings

Compare two strings A and B, determine whether A contains all of the characters in B.
The characters in string A and B are all Upper Case letters.
Have you met this question in a real interview? 
Yes
Example
For A = "ABCD"B = "ACD", return true.
For A = "ABCD"B = "AABC", return false.

Note
The characters of B in A are not necessary continuous or ordered.

public class Solution {
    /**
     * @param A : A string includes Upper Case letters
     * @param B : A string includes Upper Case letter
     * @return :  if string A contains all of the characters in B return true else return false
     */
    public boolean compareStrings(String A, String B) {
        // write your code here
        
        int[] count = new int[26];
        for(int i = 0; i < A.length(); i++){
            count[A.charAt(i) - 'A']++;
        }
        
         for(int i = 0; i < B.length(); i++){
            count[B.charAt(i) - 'A']--;
            if(count[B.charAt(i) - 'A'] < 0) return false;
        }
        return true;
        
    }
}

No comments:

Post a Comment