-
Notifications
You must be signed in to change notification settings - Fork 7
/
First Non-Repeating Character.py
52 lines (38 loc) · 1.55 KB
/
First Non-Repeating Character.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
"""
First Non-Repeating Character
Write a function that takes in a string of lowercase English-alphabet letters and returns the index of the
string's first non-repeating character.
The first non-repeating character is the first character in a string that occurs only once.
If the input string doesn't have any non-repeating characters your function should return -1.
Sample input
string = "abcdaf"
Sample Output
1 // The first non-repeating character is 'b' and is found at index 1.
"""
# SOLUTION 1
# O(n) time | O(1) space - where n is the length of the input string
# The constant space is because the input string only has lowercase
# English-alphabet letters; thus ,our hash table will never have more
# than 26 character frequencies.
def firstNonRepeatingCharacter(string):
letters = countString(string)
for indx, letter in enumerate(string):
if letters[letter] == 1:
return indx
return -1
def countString(string):
letters = {}
for indx, letter in enumerate(string):
value = letters.setdefault(letter, 0)
letters[letter] = value + 1
return letters
# O(n^2) time | O(1) space - where n is the length of the input string
def firstNonRepeatingCharacter(string):
for idx in range(len(string)):
foundDuplicate = False
for idx2 in range(len(string)):
if string[idx] == string[idx2] and idx != idx2:
foundDuplicate = True
if not foundDuplicate:
return idx
return -1