本文整理汇总了Python中re.MULTILINE属性的典型用法代码示例。如果您正苦于以下问题:Python re.MULTILINE属性的具体用法?Python re.MULTILINE怎么用?Python re.MULTILINE使用的例子?那么恭喜您, 这里精选的属性代码示例或许可以为您提供帮助。您也可以进一步了解该属性所在类re
的用法示例。
在下文中一共展示了re.MULTILINE属性的15个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。
示例1: ssh_edit_file
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def ssh_edit_file(adress, user, passw, remotefile, regex, replace):
client = paramiko.SSHClient()
client.load_system_host_keys()
client.set_missing_host_key_policy(paramiko.AutoAddPolicy())
trans = paramiko.Transport((adress, 22))
trans.connect(username=user, password=passw)
sftp = paramiko.SFTPClient.from_transport(trans)
f_in = sftp.file(remotefile, "r")
c_in = f_in.read()
pattern = re.compile(regex, re.MULTILINE | re.DOTALL)
c_out = pattern.sub(replace, c_in)
f_out = sftp.file(remotefile, "w")
f_out.write(c_out)
f_in.close()
f_out.close()
sftp.close()
trans.close()
示例2: tweak
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def tweak(self, content):
tweaked = self.legacy_tweak(content)
if tweaked:
return tweaked
apply_persistence_to_all_lines = \
0 < self.setup_params.persistence_size and \
not self.config_is_persistence_aware(content)
matching_re = r'^(\s*(%s)\s*)(.*)$' % self.BOOT_PARAMS_STARTER
kernel_parameter_line_pattern = re.compile(
matching_re,
flags = re.I | re.MULTILINE)
out = self.tweak_first_match(
content,
kernel_parameter_line_pattern,
apply_persistence_to_all_lines,
self.param_operations(),
self.param_operations_for_persistence())
return self.post_process(out)
示例3: substitute
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def substitute(self,*args):
for color in colors:
self.txt.tag_remove(color,"1.0","end")
self.txt.tag_remove("emph"+color,"1.0","end")
self.rex = re.compile("") # default value in case of misformed regexp
self.rex = re.compile(self.fld.get("1.0","end")[:-1],re.MULTILINE)
try:
re.compile("(?P<emph>%s)" % self.fld.get(tk.SEL_FIRST,
tk.SEL_LAST))
self.rexSel = re.compile("%s(?P<emph>%s)%s" % (
self.fld.get("1.0",tk.SEL_FIRST),
self.fld.get(tk.SEL_FIRST,tk.SEL_LAST),
self.fld.get(tk.SEL_LAST,"end")[:-1],
),re.MULTILINE)
except:
self.rexSel = self.rex
self.rexSel.sub(self.addTags,self.txt.get("1.0","end"))
示例4: _make_boundary
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def _make_boundary(cls, text=None):
# Craft a random boundary. If text is given, ensure that the chosen
# boundary doesn't appear in the text.
token = random.randrange(sys.maxsize)
boundary = ('=' * 15) + (_fmt % token) + '=='
if text is None:
return boundary
b = boundary
counter = 0
while True:
cre = cls._compile_re('^--' + re.escape(b) + '(--)?$', re.MULTILINE)
if not cre.search(text):
break
b = boundary + '.' + str(counter)
counter += 1
return b
示例5: check_juniper_rift_in_path
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def check_juniper_rift_in_path():
if shutil.which("rift-environ") is None:
fatal_error("Cannot find Juniper RIFT (rift-environ) in PATH")
# run it and check version
output = subprocess.check_output(["rift-environ",
"--version"], universal_newlines=True)
# print (output)
regex = re.compile(r"^.hrift encoding schema: *(\d+)\.(\d+).*",
re.IGNORECASE | re.MULTILINE)
major = re.search(regex, output)
if not major or not major.group(1):
fatal_error("Cannot detect major version of Juniper RIFT")
minor = major.group(2)
major = major.group(1)
expected_minor = protocol_minor_version
expected_major = protocol_major_version
if int(major) != expected_major or int(minor) != expected_minor:
fatal_error("Wrong Major/Minor version of Juniper RIFT: (expected {}.{}, got {}.{})"
.format(expected_major, expected_minor, major, minor))
示例6: render_re
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def render_re(regex):
"""Renders a repr()-style value for a compiled regular expression."""
actual_flags = []
if regex.flags:
flags = [
(re.IGNORECASE, 'IGNORECASE'),
(re.LOCALE, 'LOCALE'),
(re.UNICODE, 'UNICODE'),
(re.MULTILINE, 'MULTILINE'),
(re.DOTALL, 'DOTALL'),
(re.VERBOSE, 'VERBOSE'),
]
for val, name in flags:
if regex.flags & val:
actual_flags.append(name)
if actual_flags:
return 're.compile(%r, %s)' % (regex.pattern, '|'.join(actual_flags))
else:
return 're.compile(%r)' % regex.pattern
示例7: _pdfjs_version
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def _pdfjs_version() -> str:
"""Get the pdf.js version.
Return:
A string with the version number.
"""
try:
pdfjs_file, file_path = pdfjs.get_pdfjs_res_and_path('build/pdf.js')
except pdfjs.PDFJSNotFound:
return 'no'
else:
pdfjs_file = pdfjs_file.decode('utf-8')
version_re = re.compile(
r"^ *(PDFJS\.version|var pdfjsVersion) = '([^']+)';$",
re.MULTILINE)
match = version_re.search(pdfjs_file)
if not match:
pdfjs_version = 'unknown'
else:
pdfjs_version = match.group(2)
if file_path is None:
file_path = 'bundled'
return '{} ({})'.format(pdfjs_version, file_path)
示例8: package
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def package(self):
self.copy("LICENSE", dst="licenses", src=self._source_subfolder)
if self.settings.compiler == "Visual Studio":
cmake = self._configure_cmake()
cmake.install()
else:
autotools = self._configure_autotools()
autotools.install()
os.unlink(os.path.join(self.package_folder, "lib", "libapr-1.la"))
tools.rmdir(os.path.join(self.package_folder, "build-1"))
tools.rmdir(os.path.join(self.package_folder, "lib", "pkgconfig"))
apr_rules_mk = os.path.join(self.package_folder, "bin", "build-1", "apr_rules.mk")
apr_rules_cnt = open(apr_rules_mk).read()
for key in ("apr_builddir", "apr_builders", "top_builddir"):
apr_rules_cnt, nb = re.subn("^{}=[^\n]*\n".format(key), "{}=$(_APR_BUILDDIR)\n".format(key), apr_rules_cnt, flags=re.MULTILINE)
if nb == 0:
raise ConanException("Could not find/replace {} in {}".format(key, apr_rules_mk))
open(apr_rules_mk, "w").write(apr_rules_cnt)
示例9: setup
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def setup(self, config):
"""
Load name model (word list) and compile regexes for stop characters.
:param config: Configuration object.
:type config: ``dict``
"""
reference_model = os.path.join(
config[helper.CODE_ROOT], config[helper.NAME_MODEL])
self.stopper = regex.compile(('(%s)' % '|'.join([
'and', 'or', 'og', 'eller', r'\?', '&', '<', '>', '@', ':', ';', '/',
r'\(', r'\)', 'i', 'of', 'from', 'to', r'\n', '!'])),
regex.I | regex.MULTILINE)
self.semistop = regex.compile(
('(%s)' % '|'.join([','])), regex.I | regex.MULTILINE)
self.size_probability = [0.000, 0.000, 0.435, 0.489, 0.472, 0.004, 0.000]
self.threshold = 0.25
self.candidates = defaultdict(int)
with gzip.open(reference_model, 'rb') as inp:
self.model = json.loads(inp.read().decode('utf-8'))
self.tokenizer = regex.compile(r'\w{2,20}')
示例10: parse_from_string
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def parse_from_string(full_string):
"""
separate a Radiance file string into multiple strings for each object.
Args:
rad_fileString: Radiance data as a single string. The string can be multiline.
Returns:
A list of strings. Each string represents a different Radiance Object
"""
raw_rad_objects = re.findall(
r'^\s*([^0-9].*(\s*[\d.-]+.*)*)',
full_string,
re.MULTILINE)
rad_objects = (' '.join(radiance_object[0].split())
for radiance_object in raw_rad_objects)
filtered_objects = tuple(rad_object for rad_object in rad_objects
if rad_object and rad_object[0] not in ['#', '!'])
return filtered_objects
示例11: get_pr_title
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def get_pr_title(commit, pr_num):
bors_message_regex = re.compile(
rf"^{pr_num}: (?P<message>.*)( [ra]=[^ ]*){{2,}}$", re.MULTILINE
)
green_button_message_regex = re.compile(
rf"^Merge pull request #{pr_num} from.*\n\n(?P<message>.*)$", re.MULTILINE
)
match = bors_message_regex.search(commit.msg)
if not match:
match = green_button_message_regex.search(commit.msg)
if match:
log.warning(
f"Green-button style merge found for PR {pr_num}, expected bors-style merge"
)
if not match:
log.error(f"Could not determine title for PR {pr_num}. Bailing.")
raise ValueError(f"Could not determine PR title for {pr_num}")
return match.group("message")
示例12: testExportGroundtruthToCOCO
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def testExportGroundtruthToCOCO(self):
image_ids = ['first', 'second']
groundtruth_boxes = [np.array([[100, 100, 200, 200]], np.float),
np.array([[50, 50, 100, 100]], np.float)]
groundtruth_classes = [np.array([1], np.int32), np.array([1], np.int32)]
categories = [{'id': 0, 'name': 'person'},
{'id': 1, 'name': 'cat'},
{'id': 2, 'name': 'dog'}]
output_path = os.path.join(tf.test.get_temp_dir(), 'groundtruth.json')
result = coco_tools.ExportGroundtruthToCOCO(
image_ids,
groundtruth_boxes,
groundtruth_classes,
categories,
output_path=output_path)
self.assertDictEqual(result, self._groundtruth_dict)
with tf.gfile.GFile(output_path, 'r') as f:
written_result = f.read()
# The json output should have floats written to 4 digits of precision.
matcher = re.compile(r'"bbox":\s+\[\n\s+\d+.\d\d\d\d,', re.MULTILINE)
self.assertTrue(matcher.findall(written_result))
written_result = json.loads(written_result)
self.assertAlmostEqual(result, written_result)
示例13: testExportDetectionsToCOCO
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def testExportDetectionsToCOCO(self):
image_ids = ['first', 'second']
detections_boxes = [np.array([[100, 100, 200, 200]], np.float),
np.array([[50, 50, 100, 100]], np.float)]
detections_scores = [np.array([.8], np.float), np.array([.7], np.float)]
detections_classes = [np.array([1], np.int32), np.array([1], np.int32)]
categories = [{'id': 0, 'name': 'person'},
{'id': 1, 'name': 'cat'},
{'id': 2, 'name': 'dog'}]
output_path = os.path.join(tf.test.get_temp_dir(), 'detections.json')
result = coco_tools.ExportDetectionsToCOCO(
image_ids,
detections_boxes,
detections_scores,
detections_classes,
categories,
output_path=output_path)
self.assertListEqual(result, self._detections_list)
with tf.gfile.GFile(output_path, 'r') as f:
written_result = f.read()
# The json output should have floats written to 4 digits of precision.
matcher = re.compile(r'"bbox":\s+\[\n\s+\d+.\d\d\d\d,', re.MULTILINE)
self.assertTrue(matcher.findall(written_result))
written_result = json.loads(written_result)
self.assertAlmostEqual(result, written_result)
示例14: scanner
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def scanner(cls):
if not getattr(cls, '_scanner', None):
def h(tpe):
return lambda sc, tk: cls.Token(tpe, tk)
cls._scanner = re.Scanner([
(r"(--|//).*?$", h(cls.LINE_COMMENT)),
(r"\/\*.+?\*\/", h(cls.BLOCK_COMMENT)),
(r'"(?:[^"\\]|\\.)*"', h(cls.STRING)),
(r"'(?:[^'\\]|\\.)*'", h(cls.STRING)),
(r"\$\$(?:[^\$\\]|\\.)*\$\$", h(cls.STRING)),
(r";", h(cls.SEMICOLON)),
(r"\s+", h(cls.WHITESPACE)),
(r".", h(cls.OTHER))
], re.MULTILINE | re.DOTALL)
return cls._scanner
示例15: data_received
# 需要导入模块: import re [as 别名]
# 或者: from re import MULTILINE [as 别名]
def data_received(self, data, recv_time):
"""
Await initial prompt of started shell command.
After that - do real forward
"""
if not self._shell_operable.done():
decoded_data = self.moler_connection.decode(data)
self.logger.debug("<|{}".format(data))
assert isinstance(decoded_data, str)
self.read_buffer += decoded_data
if re.search(self.prompt, self.read_buffer, re.MULTILINE):
self._notify_on_connect()
self._shell_operable.set_result(True) # makes Future done
# TODO: should we remove initial prompt as it is inside raw.terminal?
# TODO: that way (maybe) we won't see it in logs
data_str = re.sub(self.prompt, '', self.read_buffer, re.MULTILINE)
data = self.moler_connection.encode(data_str)
else:
return
self.logger.debug("<|{}".format(data))
super(AsyncioTerminal, self).data_received(data)