Python 正则表达式获取引号之间的字符串
Python regex get string between quotes
我正在尝试编写一个用于本地化源代码文件的小型 python 脚本。
源文件中有一些字符串,例如:
title: "Warning".localized()
我想做的是在我发现附加的 .localized()
时提取引号之间的字符串。
匹配这个字符串的正则表达式是:regex = re.compile('([^"]*).localized\(\)', re.DOTALL)
匹配有效,因为我得到以下输出:
...
./testproject/test1.swift
.localized()
.localized()
./testproject/test2.swift
...
但是我没有得到引号之间的字符串。
python脚本:
import os, re, subprocess
import fnmatch
def fetch_files_recursive(directory, extension):
matches = []
for root, dirnames, filenames in os.walk(directory):
for filename in fnmatch.filter(filenames, '*' + extension):
matches.append(os.path.join(root, filename))
return matches
regex = re.compile('([^"]*).localized\(\)', re.DOTALL)
for file in fetch_files_recursive('.', '.swift'):
print file
with open(file, 'r') as f:
content = f.read()
# e.g. "Warning".localized(),
for result in regex.finditer(content):
print result.group(0) // output = '.localized()'
print result.group(1) // output = '' empty :-(
正在将我的评论转化为答案。
您可以使用这种模式:
regex = re.compile(r'"([^"]*)"\.localized\(\)')
并使用捕获的组#1。 [^"]*
匹配 0 个或多个非双引号的字符。
或使用周围:
regex = re.compile(r'(?<=")([^"]*)"(?="\.localized\(\)'))
我正在尝试编写一个用于本地化源代码文件的小型 python 脚本。
源文件中有一些字符串,例如:
title: "Warning".localized()
我想做的是在我发现附加的 .localized()
时提取引号之间的字符串。
匹配这个字符串的正则表达式是:regex = re.compile('([^"]*).localized\(\)', re.DOTALL)
匹配有效,因为我得到以下输出:
...
./testproject/test1.swift
.localized()
.localized()
./testproject/test2.swift
...
但是我没有得到引号之间的字符串。
python脚本:
import os, re, subprocess
import fnmatch
def fetch_files_recursive(directory, extension):
matches = []
for root, dirnames, filenames in os.walk(directory):
for filename in fnmatch.filter(filenames, '*' + extension):
matches.append(os.path.join(root, filename))
return matches
regex = re.compile('([^"]*).localized\(\)', re.DOTALL)
for file in fetch_files_recursive('.', '.swift'):
print file
with open(file, 'r') as f:
content = f.read()
# e.g. "Warning".localized(),
for result in regex.finditer(content):
print result.group(0) // output = '.localized()'
print result.group(1) // output = '' empty :-(
正在将我的评论转化为答案。
您可以使用这种模式:
regex = re.compile(r'"([^"]*)"\.localized\(\)')
并使用捕获的组#1。 [^"]*
匹配 0 个或多个非双引号的字符。
或使用周围:
regex = re.compile(r'(?<=")([^"]*)"(?="\.localized\(\)'))