Вы можете просто пройти один раз через term
и собрать по пути всю необходимую информацию:
from string import ascii_letters,digits
term = 'CG-14/0,2-L-0_2'
# defined set of allowed characters a-zA-Z0-9
# set lookup is O(1) - fast
ok = set(digits +ascii_letters)
specials = {}
clean = []
for i,c in enumerate(term):
if c in ok:
clean.append(c)
else:
specials.setdefault(c,[])
specials[c].append(i)
cleaned = ''.join(clean)
print(clean)
print(cleaned)
print(specials)
Вывод:
['C', 'G', '1', '4', '0', '2', 'L', '0', '2'] # list of characters in set ok
CG1402L02 # the ''.join()ed list
{'-': [2, 9, 11], '/': [5], ',': [7], '_': [13]} # dict of characters/positions not in ok
См .:
Можно использовать
specials = []
и внутри итерации:
else:
specials.append((c,i))
, чтобы получить список кортежей вместо словаря:
[('-', 2), ('/', 5), (',', 7), ('-', 9), ('-', 11), ('_', 13)]