'Get a list from config.ini file
In my config file I have something like that :
[Section_1]
List=Column1,Column2,Column3,Column4
Now, I would like to process it in my main file as normal lists :
config = configparser.ConfigParser()
config.read("configTab.ini")
for index in range(len(List)):
sql=sql.replace(List[index],"replace("+List[index]+","'hidden'")")
Now when I read from configuration file "List" is a normal String. What is the best approach to to it?
If I put a normal list variable in my main code it this way:
List=['Column1','Column2','Column3','Column4']
Then it works fine, but I would like to get that from my configure file,
Thanks
Solution 1:[1]
Use str.split
:
List = List.split(',')
string = 'a, b, c'
print(string.split(','))
>> ['a', 'b', 'c']
Solution 2:[2]
The answer by @DeepSpace is not entirely correct. The leading whitespace around 'b' and 'c' is included in the output if one executes this line as written (e.g. 'b' is actually ' b').
To avoid leading and trailing whitespace, try:
string = 'a, b, c'
print([i.strip() for i in string.split(',')])
>> ['a', 'b', 'c']
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
Solution | Source |
---|---|
Solution 1 | DeepSpace |
Solution 2 | Brian Pollack |