码迷,mamicode.com
首页 > 其他好文 > 详细

Leetcode:Longest Substring Without Repeating Characters 解题报告

时间:2014-12-27 20:14:16      阅读:214      评论:0      收藏:0      [点我收藏+]

标签:

Longest Substring Without Repeating Characters

Given a string, find the length of the longest substring without repeating characters. For example, the longest substring without repeating letters for "abcabcbb" is "abc", which the length is 3. For "bbbbb" the longest substring is "b", with the length of 1.

技术分享

SOLUTION 1:

http://blog.csdn.net/imabluefish/article/details/38662827

使用一个start来记录起始的index,判断在hash时 顺便判断一下那个重复的字母是不是在index之后。如果是,把start = map.get(c) + 1即可。并且即时更新

char的最后索引。

技术分享
 1 public class Solution {
 2     public int lengthOfLongestSubstring(String s) {
 3         if (s == null) {
 4             return 0;
 5         }
 6         
 7         int max = 0;
 8         HashMap<Character, Integer> map = new HashMap<Character, Integer>();
 9         
10         int len = s.length();
11         int l = 0;
12         for (int r = 0; r < len; r++) {
13             char c = s.charAt(r);
14             
15             if (map.containsKey(c) && map.get(c) >= l) {
16                 l = map.get(c) + 1;
17             }
18             
19             // replace the last index of the character c.
20             map.put(c, r);
21             
22             // replace the max value.
23             max = Math.max(max, r - l + 1);
24         }
25         
26         return max;
27     }
28 }
View Code

 

SOLUTION 2:

假定所有的字符都是ASCII 码,则我们可以使用数组来替代Map,代码更加简洁。

技术分享
 1 public int lengthOfLongestSubstring(String s) {
 2         if (s == null) {
 3             return 0;
 4         }
 5         
 6         int max = 0;
 7         
 8         // suppose there are only ASCII code.
 9         int[] lastIndex = new int[128];
10         for (int i = 0; i < 128; i++) {
11             lastIndex[i] = -1;
12         }
13         
14         int len = s.length();
15         int l = 0;
16         for (int r = 0; r < len; r++) {
17             char c = s.charAt(r);
18             
19             if (lastIndex[c] >= l) {
20                 l = lastIndex[c] + 1;
21             }
22             
23             // replace the last index of the character c.
24             lastIndex[c] = r;
25             
26             // replace the max value.
27             max = Math.max(max, r - l + 1);
28         }
29         
30         return max;
31     }
View Code

 

GITHUB:
https://github.com/yuzhangcmu/LeetCode_algorithm/blob/master/string/LengthOfLongestSubstring.java

Leetcode:Longest Substring Without Repeating Characters 解题报告

标签:

原文地址:http://www.cnblogs.com/yuzhangcmu/p/4188973.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!