简单的正则表达式问题。我有一个字符串的以下格式:

this is a [sample] string with [some] special words. [another one]

提取方括号内的单词的正则表达式是什么?

sample
some
another one

注意:在我的用例中,括号不能嵌套。


当前回答

我需要包含换行符和括号

" s + s] \ \ []

其他回答

([[][a-z \s]+[]])

根据以下解释,上述方法应该有效

方括号[]内的字符定义了字符类,这意味着模式应该匹配方括号内提到的至少一个字符 \s指定一个空格 +表示前面提到的至少一个字符为+。

这应该是正确的:

\[([^]]+)\]

这段代码将提取方括号和圆括号之间的内容

(?:(?<=\().+?(?=\))|(?<=\[).+?(?=\]))

(?: non capturing group
(?<=\().+?(?=\)) positive lookbehind and lookahead to extract the text between parentheses
| or
(?<=\[).+?(?=\]) positive lookbehind and lookahead to extract the text between square brackets

(?<=\[).*?(?=\])根据上述解释工作良好。下面是一个Python示例:

import re 
str = "Pagination.go('formPagination_bottom',2,'Page',true,'1',null,'2013')"
re.search('(?<=\[).*?(?=\])', str).group()
"'formPagination_bottom',2,'Page',true,'1',null,'2013'"

如果你想要填充方括号a-z之间的小字母

(\[[a-z]*\])

如果你想要小写字母a-zA-Z

(\[[a-zA-Z]*\]) 

如果你想要小写字母和数字字母a-zA-Z0-9

(\[[a-zA-Z0-9]*\]) 

如果你想要所有在方括号之间的东西

如果你想要文字,数字和符号

(\[.*\])