Dett
Dett

Reputation: 95

Trying to create a regexp

I have a string which I want a string to parse via Java or Python regexp:

something (\var1 \var2 \var3 $var4 #var5 $var6 *fdsfdsfd @uytuytuyt fdsgfdgfdgf aaabbccc)

The number of var is unknown. Their exact names are unknown. Their names may or may not start with "\" or "$", "*", "@" or "#" and there're delimited by whitespace.

I'd like to parse them separately, that is, in capture groups, if possible. How can I do that? The output I want is a list of:

[\var1 , \var2 , \var3 , $var4 , #var5 , $var6 , *fdsfdsfd , @uytuytuyt , fdsgfdgfdgf , aaabbccc]

I don't need the java or python code, I just need the regexp. My incomplete one is:

something\s\(.+\)

Upvotes: 1

Views: 55

Answers (1)

gaganso
gaganso

Reputation: 3011

something\s\((.+)\)

In this regex you are capturing the string containing all the variables. split it based on whitespace since you are sure that they are delimited by whitespace.

m = re.search('something\s\((.+)\)', input_string)
if m:
    list_of_vars = m.group(1).split()

Upvotes: 1

Related Questions