Wednesday, July 1, 2015

strStr

strstr (a.k.a find sub string), is a useful function in string operation. Your task is to implement this function.
For a given source string and a target string, you should output the first index(from 0) of target string in source string.
If target does not exist in source, just return -1.
Have you met this question in a real interview? 
Yes
Example
If source = "source" and target = "target", return-1.
If source = "abcdabcdefg" and target = "bcd", return1.
Challenge
O(n2) is acceptable. Can you implement an O(n) algorithm? (hint: KMP)

Clarification
Do I need to implement KMP Algorithm in a real interview?
  • Not necessary. When you meet this problem in a real interview, the interviewer may just want to test your basic implementation ability. But make sure your confirm with the interviewer first.
class Solution {
    /**
     * Returns a index to the first occurrence of target in source,
     * or -1  if target is not part of source.
     * @param source string to be scanned.
     * @param target string containing the sequence of characters to match.
     */
    public int strStr(String source, String target) {
        //write your code here
        if(source == null || target == null) return -1;
        if(target.length() == 0) return 0;
        for(int i = 0; i < source.length(); i++){
            if(source.charAt(i) == target.charAt(0) && (i + target.length()) <= source.length()){
                if(target.equals(source.substring(i, i+target.length()))){
                    return i;
                }
            }
        }
        return -1;
    }
}

KMP :

No comments:

Post a Comment