user808545
user808545

Reputation: 1631

How to split elements of a list?

I have a list:

my_list = ['element1\t0238.94', 'element2\t2.3904', 'element3\t0139847']

How can I delete the \t and everything after to get this result:

['element1', 'element2', 'element3']

Upvotes: 114

Views: 934563

Answers (6)

Lukas
Lukas

Reputation: 2312

Solution with map and lambda expression:

my_list = list(map(lambda x: x.split('\t')[0], my_list))

Upvotes: 5

Max Kleiner
Max Kleiner

Reputation: 1622

I had to split a list for feature extraction in two parts lt,lc:

ltexts = ((df4.ix[0:,[3,7]]).values).tolist()
random.shuffle(ltexts)

featsets = [(act_features((lt)),lc) 
              for lc, lt in ltexts]

def act_features(atext):
  features = {}
  for word in nltk.word_tokenize(atext):
     features['cont({})'.format(word.lower())]=True
  return features

Upvotes: 3

Artsiom Rudzenka
Artsiom Rudzenka

Reputation: 29121

Do not use list as variable name. You can take a look at the following code too:

clist = ['element1\t0238.94', 'element2\t2.3904', 'element3\t0139847', 'element5']
clist = [x[:x.index('\t')] if '\t' in x else x for x in clist]

Or in-place editing:

for i,x in enumerate(clist):
    if '\t' in x:
        clist[i] = x[:x.index('\t')]

Upvotes: 7

caltangelo
caltangelo

Reputation: 274

Try iterating through each element of the list, then splitting it at the tab character and adding it to a new list.

for i in list:
    newList.append(i.split('\t')[0])

Upvotes: 12

Roman Bodnarchuk
Roman Bodnarchuk

Reputation: 29747

Something like:

>>> l = ['element1\t0238.94', 'element2\t2.3904', 'element3\t0139847']
>>> [i.split('\t', 1)[0] for i in l]
['element1', 'element2', 'element3']

Upvotes: 161

dave
dave

Reputation: 12806

myList = [i.split('\t')[0] for i in myList] 

Upvotes: 45

Related Questions