632

I was wondering what the simplest way is to convert a string representation of a list like the following to a list:

x = '[ "A","B","C" , " D"]'

Even in cases where the user puts spaces in between the commas, and spaces inside of the quotes, I need to handle that as well and convert it to:

x = ["A", "B", "C", "D"] 

I know I can strip spaces with strip() and split() and check for non-letter characters. But the code was getting very kludgy. Is there a quick function that I'm not aware of?

Boris
  • 7,044
  • 6
  • 62
  • 63
harijay
  • 8,463
  • 11
  • 34
  • 47
  • 4
    What are you actually trying to accomplish? There is probably a far better way than trying to convert Python list syntax into an actual list... – Nicholas Knight Dec 12 '09 at 18:28
  • 1
    What version of Python are you using? – Mark Byers Dec 12 '09 at 19:17
  • 2
    @Nicholas Knight: I am trying to handle user input in a legacy app where all lists were entered as unicode lists with square parenthesis. @Mark Byers , I am using python 2.6 so the ast.literal approach works best – harijay Dec 12 '09 at 20:11

16 Answers16

888
>>> import ast
>>> x = '[ "A","B","C" , " D"]'
>>> x = ast.literal_eval(x)
>>> x
['A', 'B', 'C', ' D']
>>> x = [n.strip() for n in x]
>>> x
['A', 'B', 'C', 'D']

ast.literal_eval:

With ast.literal_eval you can safely evaluate an expression node or a string containing a Python literal or container display. The string or node provided may only consist of the following Python literal structures: strings, bytes, numbers, tuples, lists, dicts, booleans, and None.

Boris
  • 7,044
  • 6
  • 62
  • 63
  • 7
    Per comment below, this is dangerous as it simply runs whatever python is in the string. So if someone puts a call to delete everything in there, it happily will. – Paul Kenjora Nov 18 '17 at 21:15
  • 17
    @PaulKenjora: You're thinking of `eval`, not `ast.literal_eval`. – user2357112 supports Monica Mar 19 '18 at 23:29
  • 24
    `ast.literal_eval` is _safer_ than `eval`, but it's not actually _safe_. As [recent versions of the docs](https://docs.python.org/3/library/ast.html#ast.literal_eval) explain: "Warning It is possible to crash the Python interpreter with a sufficiently large/complex string due to stack depth limitations in Python’s AST compiler." It may, in fact, be possible to run arbitrary code via a careful stack-smashing attack, although as far as I know nobody's build a public proof of concept for that. – abarnert Mar 30 '18 at 00:12
  • Well but what to do if the List does not have quotes? e.g. [4 of B, 1 of G] – sqp_125 Apr 22 '20 at 19:26
  • 1
    @sqp_125, then it's a regular list, and you don't need to parse anything? – ForceBru Jun 15 '20 at 14:01
126

The json module is a better solution whenever there is a stringified list of dictionaries. The json.loads(your_data) function can be used to convert it to a list.

>>> import json
>>> x = '[ "A","B","C" , " D"]'
>>> json.loads(x)
['A', 'B', 'C', ' D']

Similarly

>>> x = '[ "A","B","C" , {"D":"E"}]'
>>> json.loads(x)
['A', 'B', 'C', {'D': 'E'}]
Boris
  • 7,044
  • 6
  • 62
  • 63
Ryan
  • 1,639
  • 1
  • 10
  • 16
85

The eval is dangerous - you shouldn't execute user input.

If you have 2.6 or newer, use ast instead of eval:

>>> import ast
>>> ast.literal_eval('["A","B" ,"C" ," D"]')
["A", "B", "C", " D"]

Once you have that, strip the strings.

If you're on an older version of Python, you can get very close to what you want with a simple regular expression:

>>> x='[  "A",  " B", "C","D "]'
>>> re.findall(r'"\s*([^"]*?)\s*"', x)
['A', 'B', 'C', 'D']

This isn't as good as the ast solution, for example it doesn't correctly handle escaped quotes in strings. But it's simple, doesn't involve a dangerous eval, and might be good enough for your purpose if you're on an older Python without ast.

Mark Byers
  • 719,658
  • 164
  • 1,497
  • 1,412
  • Could you please tell me what why did you say “The `eval` is dangerous - you shouldn’t execute user input.”? I am using 3.6 – Aaryan Dewan Jul 17 '17 at 01:56
  • 1
    @AaryanDewan if you use `eval` directly, it will evaluate any valid python expression, which is potentially dangerous. `literal_eval` solves this problem by only evaluating Python literal structures: strings, numbers, tuples, lists, dicts, booleans, and None. – Abhishek Menon Sep 21 '17 at 23:28
16

There is a quick solution:

x = eval('[ "A","B","C" , " D"]')

Unwanted whitespaces in the list elements may be removed in this way:

x = [x.strip() for x in eval('[ "A","B","C" , " D"]')]
Alexei Sholik
  • 6,619
  • 2
  • 28
  • 38
  • this would still preserve the spaces inside the quotes – tosh Dec 12 '09 at 18:26
  • 21
    This is an open invitation to arbitrary code execution, NEVER do this or anything like it unless you know with absolute certainty that the input will always be 100% trusted. – Nicholas Knight Dec 12 '09 at 18:29
  • 1
    I could use this suggestion because I knew my data was always gonna be in that format and was a data processing work. – Manish Ranjan Mar 11 '16 at 20:44
15
import ast
l = ast.literal_eval('[ "A","B","C" , " D"]')
l = [i.strip() for i in l]
tosh
  • 5,254
  • 1
  • 25
  • 32
14

Inspired from some of the answers above that work with base python packages I compared the performance of a few (using Python 3.7.3):

Method 1: ast

import ast
list(map(str.strip, ast.literal_eval(u'[ "A","B","C" , " D"]')))
# ['A', 'B', 'C', 'D']

import timeit
timeit.timeit(stmt="list(map(str.strip, ast.literal_eval(u'[ \"A\",\"B\",\"C\" , \" D\"]')))", setup='import ast', number=100000)
# 1.292875313000195

Method 2: json

import json
list(map(str.strip, json.loads(u'[ "A","B","C" , " D"]')))
# ['A', 'B', 'C', 'D']

import timeit
timeit.timeit(stmt="list(map(str.strip, json.loads(u'[ \"A\",\"B\",\"C\" , \" D\"]')))", setup='import json', number=100000)
# 0.27833264000014424

Method 3: no import

list(map(str.strip, u'[ "A","B","C" , " D"]'.strip('][').replace('"', '').split(',')))
# ['A', 'B', 'C', 'D']

import timeit
timeit.timeit(stmt="list(map(str.strip, u'[ \"A\",\"B\",\"C\" , \" D\"]'.strip('][').replace('\"', '').split(',')))", number=100000)
# 0.12935059100027502

I was disappointed to see what I considered the method with the worst readability was the method with the best performance... there are tradeoffs to consider when going with the most readable option... for the type of workloads I use python for I usually value readability over a slightly more performant option, but as usual it depends.

kinzleb
  • 667
  • 1
  • 5
  • 7
11

If it's only a one dimensional list, this can be done without importing anything:

>>> x = u'[ "A","B","C" , " D"]'
>>> ls = x.strip('[]').replace('"', '').replace(' ', '').split(',')
>>> ls
['A', 'B', 'C', 'D']
ruohola
  • 16,015
  • 6
  • 33
  • 67
6

Assuming that all your inputs are lists and that the double quotes in the input actually don't matter, this can be done with a simple regexp replace. It is a bit perl-y but works like a charm. Note also that the output is now a list of unicode strings, you didn't specify that you needed that, but it seems to make sense given unicode input.

import re
x = u'[ "A","B","C" , " D"]'
junkers = re.compile('[[" \]]')
result = junkers.sub('', x).split(',')
print result
--->  [u'A', u'B', u'C', u'D']

The junkers variable contains a compiled regexp (for speed) of all characters we don't want, using ] as a character required some backslash trickery. The re.sub replaces all these characters with nothing, and we split the resulting string at the commas.

Note that this also removes spaces from inside entries u'["oh no"]' ---> [u'ohno']. If this is not what you wanted, the regexp needs to be souped up a bit.

dirkjot
  • 2,723
  • 21
  • 17
4

If you know that your lists only contain quoted strings, this pyparsing example will give you your list of stripped strings (even preserving the original Unicode-ness).

>>> from pyparsing import *
>>> x =u'[ "A","B","C" , " D"]'
>>> LBR,RBR = map(Suppress,"[]")
>>> qs = quotedString.setParseAction(removeQuotes, lambda t: t[0].strip())
>>> qsList = LBR + delimitedList(qs) + RBR
>>> print qsList.parseString(x).asList()
[u'A', u'B', u'C', u'D']

If your lists can have more datatypes, or even contain lists within lists, then you will need a more complete grammar - like this one on the pyparsing wiki, which will handle tuples, lists, ints, floats, and quoted strings. Will work with Python versions back to 2.4.

PaulMcG
  • 56,194
  • 14
  • 81
  • 122
  • would you let me know how to use "parseString().asList()", if i have this kind of string: '[ "A","B","C" , ["D"]]', as you have stated that pyparsing can do that as well. but o don't seem to have found the right way to do it. – Mansoor Akram Nov 14 '16 at 20:14
  • "If your lists can have more datatypes, or even contain lists within lists, then you will need a more complete grammar" - please see the link I provided in my answer for a parser that will handle nested lists, and various other data types. – PaulMcG Nov 14 '16 at 22:39
  • Pyparsing is no longer hosted at wikispaces. The `parsePythonValue.py` example is now on GitHub at https://github.com/pyparsing/pyparsing/blob/master/examples/parsePythonValue.py – PaulMcG Mar 18 '19 at 10:56
1

To further complete @Ryan 's answer using json, one very convenient function to convert unicode is the one posted here: https://stackoverflow.com/a/13105359/7599285

ex with double or single quotes:

>print byteify(json.loads(u'[ "A","B","C" , " D"]')
>print byteify(json.loads(u"[ 'A','B','C' , ' D']".replace('\'','"')))
['A', 'B', 'C', ' D']
['A', 'B', 'C', ' D']
CptHwK
  • 57
  • 4
1

You may run into such problem while dealing with scraped data stored as Pandas DataFrame.

This solution works like charm if the list of values is present as text.

def textToList(hashtags):
    return hashtags.strip('[]').replace('\'', '').replace(' ', '').split(',')

hashtags = "[ 'A','B','C' , ' D']"
hashtags = textToList(hashtags)

Output: ['A', 'B', 'C', 'D']

No external library required.

dobydx
  • 37
  • 1
  • 2
  • 11
0

I would like to provide a more intuitive patterning solution with regex. The below function takes as input a stringified list containing arbitrary strings.

Stepwise explanation: You remove all whitespacing,bracketing and value_separators (provided they are not part of the values you want to extract, else make the regex more complex). Then you split the cleaned string on single or double quotes and take the non-empty values (or odd indexed values, whatever the preference).

def parse_strlist(sl):
import re
clean = re.sub("[\[\],\s]","",sl)
splitted = re.split("[\'\"]",clean)
values_only = [s for s in splitted if s != '']
return values_only

testsample: "['21',"foo" '6', '0', " A"]"

0

and with pure python - not importing any libraries

[x for x in  x.split('[')[1].split(']')[0].split('"')[1:-1] if x not in[',',' , ',', ']]
Ioannis Nasios
  • 7,188
  • 4
  • 24
  • 51
0

This usually happens when you load list stored as string to CSV

If you have your list stored in CSV in form like OP asked:

x = '[ "A","B","C" , " D"]'

Here is how you can load it back to list:

import csv
with open('YourCSVFile.csv') as csv_file:
    reader = csv.reader(csv_file, delimiter=',')
    rows = list(reader)

listItems = rows[0]

listItems is now list

Harvey
  • 6,913
  • 3
  • 52
  • 54
  • Not sure how this is related to the question... `list(reader)` gives a list of lists. Each inner list is a list of strings of the csv columns. There is no ***string representation of a list*** there to begin with... – Tomerikoo Apr 02 '21 at 13:43
  • @Tomerikoo string representation of list is exactly the same only it's in the file. – Harvey Apr 02 '21 at 14:27
  • No. A string representation of a list is `"['1', '2', '3']"`. When you read a csv file with `csv.reader`, each line is `['1', '2', '3']`. That is ***a list of strings***. Not a ***string representation of a list***... – Tomerikoo Apr 02 '21 at 14:29
  • @Tomerikoo how about you store list in file and than use any method here to restore it. – Harvey Apr 02 '21 at 14:40
  • Ok, let's say the csv has literally `[1, 2, 3]` inside it. Let's say a csv row is `[1,2,3] 4 5`. Reading it with `list(reader)` will give `[["[1,2,3]", "4", "5"], ...]` then doing `rows[0]` will give `["[1,2,3]", "4", "5"]`. Again, I don't see how that answers the question... – Tomerikoo Apr 02 '21 at 14:43
  • It works for normal list like one in OP question. You have [1, 2, 3] in 1 .sentence and than [1,2,3] 4 5 in second - why? – Harvey Apr 02 '21 at 14:50
  • I just can't see how this answers the question... Can you please update with an example file and the output you get to show how it relates to the question? – Tomerikoo Apr 02 '21 at 14:52
-1

So, following all the answers I decided to time the most common methods:

from time import time
import re
import json


my_str = str(list(range(19)))
print(my_str)

reps = 100000

start = time()
for i in range(0, reps):
    re.findall("\w+", my_str)
print("Regex method:\t", (time() - start) / reps)

start = time()
for i in range(0, reps):
    json.loads(my_str)
print("json method:\t", (time() - start) / reps)

start = time()
for i in range(0, reps):
    ast.literal_eval(my_str)
print("ast method:\t\t", (time() - start) / reps)

start = time()
for i in range(0, reps):
    [n.strip() for n in my_str]
print("strip method:\t", (time() - start) / reps)



    regex method:    6.391477584838867e-07
    json method:     2.535374164581299e-06
    ast method:      2.4425282478332518e-05
    strip method:    4.983267784118653e-06

So in the end regex wins!

passs
  • 27
  • 3
-1

you can save yourself the .strip() fcn by just slicing off the first and last characters from the string representation of the list (see third line below)

>>> mylist=[1,2,3,4,5,'baloney','alfalfa']
>>> strlist=str(mylist)
['1', ' 2', ' 3', ' 4', ' 5', " 'baloney'", " 'alfalfa'"]
>>> mylistfromstring=(strlist[1:-1].split(', '))
>>> mylistfromstring[3]
'4'
>>> for entry in mylistfromstring:
...     print(entry)
...     type(entry)
... 
1
<class 'str'>
2
<class 'str'>
3
<class 'str'>
4
<class 'str'>
5
<class 'str'>
'baloney'
<class 'str'>
'alfalfa'
<class 'str'>
JCMontalbano
  • 59
  • 1
  • 3