3.无重复字符的最长子串 209.长度最小的子数组 1052.爱生气的书店老板 水果成篮 删除子数组的最大得分
3.无重复字符的最长子串
var lengthOfLongestSubstring = function ( s) { let len = 0 ; let left = 0 ; const sets = new Set ( ) ; for ( let right = 0 ; right < s. length; right++ ) { let ch = s[ right] ; while ( sets. has ( ch) ) { let leftch = s[ left] ; sets. delete ( leftch) ; left + = 1 ; } sets. add ( ch) ; len = Math. max ( len, right - left + 1 ) ; } return len;
} ;
lengthOfLongestSubstring ( "abcabcbb" ) ;
209.长度最小的子数组
var minSubArrayLen = function ( target, nums) { let minLen = Infinity; let left = 0 ; let sum = 0 ; for ( let right = 0 ; right < nums. length; right++ ) { let ch = nums[ right] ; sum + = ch; while ( sum >= target && left <= right) { let leftCh = nums[ left] ; minLen = Math. min ( minLen, right - left + 1 ) ; sum - = leftCh; left + = 1 ; } } return minLen === Infinity ? 0 : minLen;
} ;
minSubArrayLen ( 11 , [ 1 , 2 , 3 , 4 , 5 ] ) ;
1052.爱生气的书店老板
var maxSatisfied = function ( customers, grumpy, minutes) { let ans = 0 ; let n = customers. length; for ( let i = 0 ; i < n; i++ ) { if ( grumpy[ i] === 0 ) { ans + = customers[ i] ; customers[ i] = 0 ; } } let sum = 0 ; let max = 0 ; for ( let i = 0 ; i < n; i++ ) { sum + = customers[ i] ; if ( i >= minutes) { sum - = customers[ i - minutes] ; } max = Math. max ( max, sum) ; } console. log ( max) ; console. log ( ans + max) ; console. log ( customers) ; return ans + max;
} ;
maxSatisfied ( [ 9 , 10 , 4 , 5 ] , [ 1 , 0 , 1 , 1 ] , 1 ) ;
904. 水果成篮
var totalFruit = function ( fruits) { let ans = 0 ; let left = 0 ; const map = { } ; for ( let right = 0 ; right < fruits. length; right++ ) { let ch = fruits[ right] ; map[ ch] = ( map[ ch] ? ? 0 ) + 1 ; while ( Object. keys ( map) . length > 2 ) { let leftCh = fruits[ left] ; map[ leftCh] - = 1 ; if ( map[ leftCh] === 0 ) delete map[ leftCh] ; left + = 1 ; } ans = Math. max ( ans, right - left + 1 ) ; } console. log ( ans) ; return ans;
} ;
totalFruit ( [ 0 , 1 , 2 , 2 ] ) ;
1695. 删除子数组的最大得分
var maximumUniqueSubarray = function ( nums) { let left = 0 ; let sets = new Set ( ) ; let sum = 0 ; let ans = 0 ; for ( let right = 0 ; right < nums. length; right++ ) { sum + = nums[ right] ; while ( sets. has ( nums[ right] ) ) { sum - = nums[ left] ; sets. delete ( nums[ left] ) ; left + = 1 ; } sets. add ( nums[ right] ) ; ans = Math. max ( ans, sum) ; } console. log ( ans) ; return ans;
} ;
maximumUniqueSubarray ( [ 4 , 2 , 4 , 5 , 6 ] ) ;