題目地址
https://leetcode-cn.com/problems/first-unique-character-in-a-string/
題目要求
給定一個(gè)字符串,找到它的第一個(gè)不重復(fù)的字符弟劲,并返回它的索引亲澡。如果不存在,則返回 -1戒劫。
示例 1:
s = "leetcode"
返回 0
示例 2:
s = "loveleetcode"
返回 2
提示:
- 你可以假定該字符串只包含小寫字母。
解題思路
indexOf和lastIndexOf的使用婆廊,判斷字母第一次出現(xiàn)的位置和最后一次出現(xiàn)的位置是否相同迅细。
需要注意的
- Todo:使用Hash的方法。
解法:
代碼
class Solution {
public int firstUniqChar(String s) {
for(int i=0; i<s.length(); i++){
int first = s.indexOf(s.charAt(i));
int last = s.lastIndexOf(s.charAt(i));
if(first == last){
return i;
}
}
return -1;
}
}