Given two strings s1 and s2, write a function to return true if s2 contains the permutation of s1. In other words, one of the first string's permutations is the substring of the second string.
Example 1: (Test Case Passed)
Input: s1 = "ab" s2 = "eidbaooo"
Output: True
Explanation: s2 contains one permutation of s1 ("ba").
Example 2: (Test Case Failed)
Input: s1 = "adc", s2 = "dcda"
Output: True
Expected : False
The problem is available on leetcode : https://leetcode.com/problems/permutation-in-string/submissions/
I have passed 78/103 test cases. I am doing some mistake with using the conditions I guess, can anyone fix it.
Here's my code :
class Solution {
public boolean checkInclusion(String s1, String s2) {
int k = s1.length();
HashMap<Character, Integer> map = new HashMap<>();
for(int i=0; i<k; i++){
char rightChar = s1.charAt(i);
map.put(rightChar, map.getOrDefault(rightChar,0)+1);
}
int windowStart=0;
int decrement=0;
HashMap<Character, Integer> resMap = new HashMap<>();
for(int windowEnd=0; windowEnd<s2.length(); windowEnd++){
char nextChar = s2.charAt(windowEnd);
resMap.put(nextChar, resMap.getOrDefault(nextChar,0)+1);
if(windowEnd-windowStart+1 >= k){
if(resMap.equals(map)){
return true;
}else{
char leftChar = s2.charAt(windowStart);
resMap.remove(leftChar);
windowStart++;
}
}
}
return false;
}
}
Thanks in advance :)
I think in your case the Time limit is exceeding. Please confirm the same. You can try the solution using Array provided by Leetcode-
public boolean checkInclusion(String s1, String s2) {