Given a string, find the first non-repeating character in it and return it's index. If it doesn't exist, return -1.數組
Examples: s = "leetcode" return 0. s = "loveleetcode", return 2.
Note: You may assume the string contain only lowercase letters.code
題目的意思是找出字符串中第一個不重複的字母,字符串中,若是存在該這樣的字符,則返回字符在字符串中的索引值,若是不存在,則返回-1。注意:假設字符串中只有小寫字母,這稍微簡化了一下題目。
難度:Eazy索引
解法:如今只要一看到字母,首先想到的解法就是一個26個元素的數組,索引表示字母,索引對應的值即出現的字數。對字符串進行兩次遍歷,第一次算出每一個字符出現的次數,第二次遍歷找出第一個字符便可。leetcode
public int firstUniqChar(String s) { int pos = -1; int []bits = new int[26]; for (int i = 0; i < s.length(); i++) { char c = s.charAt(i); ++bits[c - 'a']; } for (int i = 0; i < s.length(); i++) { char c = s.charAt(i); if (bits[c - 'a'] == 1) { pos = i; break; } } return pos; }