How do you split seperate items in a list into tuples in python?

109 Views Asked by At

Okay so I have a file with names of some cars and how old they are in years, layed out like this but each one is a new line:

Ford Focus - 5
Ford Focus - 7
Ford Focus - 3
VW Golf - 2
VW Golf - 6
VW Golf - 1

I am trying to find a way to tuple this, but so the details are seperate tuples like this:

[(Ford Focus - 5), (Ford Focus - 7), (Ford Focus - 3), (VW Golf - 2), (VW Golf - 6), (VW Golf - 1)]

Thanks

2

There are 2 best solutions below

0
On

list comprehension

data = [(line.strip(),) for line in open('file', 'r')]

for loop

data = []
for line in open('file', 'r') # for every line in file
    lst.append( (line.strip(),) ) # strip the line, make it to a tuple and append to lst
2
On

I believe, what you really want is a list of tuples of form (brand, year). If this is the case, then

def parse_car_file(file_path):
    with open(file_path) as car_file:
        return [line.rstrip().split(" - ") for line in car_file]

Otherwise

def parse_car_file(file_path):
    with open(file_path) as car_file:
        return [(line.rstrip(),) for line in car_file]