Goh-shans
Goh-shans

Reputation: 125

Extracting content between curly braces in Python

I have lines of the form {},{},{},...,{}. The number of curly pairs is variable. I would like to have the content between the curlies in a list of strings.

Example:

Input: {a:b,c:d}

Output: ['a:b,c:d']


Input: {a:b,c:d},{e:f,g:h}

Output: ['a:b,c:d', 'e:f,g:h']

What is the best way to do that?

Upvotes: 1

Views: 4280

Answers (3)

Grant Shannon
Grant Shannon

Reputation: 5065

If your requirement is to extracting content between "nth" set of braces in Python - its a simple extension of the above:

import re
qstring="""CREATE TABLE [dbo].[Time_Table]"""

contents_inside_barckets=re.findall(r'\[(.*?)\]', qstr)

Initial output:

['dbo', 'Time_Table']

Contents of the second (index =1) set of brackets:

contents_inside_barckets[1]

Output

'Time_Table'

Upvotes: 0

Sunitha
Sunitha

Reputation: 12015

i = '{a:b,c:d},{e:f,g:h}'
[e.strip('{}') for e in i.split('},{')]
# ['a:b,c:d', 'e:f,g:h']

Upvotes: 0

nosklo
nosklo

Reputation: 222922

re.findall(r'\{(.*?)\}', text)

example:

>>> text = '{a:b,c:d},{e:f,g:h}'
>>> re.findall(r'\{(.*?)\}', text)
['a:b,c:d', 'e:f,g:h']

Upvotes: 2

Related Questions