本文整理匯總了Python中string.join方法的典型用法代碼示例。如果您正苦於以下問題:Python string.join方法的具體用法?Python string.join怎麽用?Python string.join使用的例子?那麽, 這裏精選的方法代碼示例或許可以為您提供幫助。您也可以進一步了解該方法所在類string
的用法示例。
在下文中一共展示了string.join方法的15個代碼示例,這些例子默認根據受歡迎程度排序。您可以為喜歡或者感覺有用的代碼點讚,您的評價將有助於係統推薦出更棒的Python代碼示例。
示例1: _encode_entity
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def _encode_entity(text, pattern=_escape):
# map reserved and non-ascii characters to numerical entities
def escape_entities(m, map=_escape_map):
out = []
append = out.append
for char in m.group():
text = map.get(char)
if text is None:
text = "&#%d;" % ord(char)
append(text)
return string.join(out, "")
try:
return _encode(pattern.sub(escape_entities, text), "ascii")
except TypeError:
_raise_serialization_error(text)
#
# the following functions assume an ascii-compatible encoding
# (or "utf-16")
示例2: tostring
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def tostring(element, encoding=None):
class dummy:
pass
data = []
file = dummy()
file.write = data.append
ElementTree(element).write(file, encoding)
return string.join(data, "")
##
# Generic element structure builder. This builder converts a sequence
# of {@link #TreeBuilder.start}, {@link #TreeBuilder.data}, and {@link
# #TreeBuilder.end} method calls to a well-formed element structure.
# <p>
# You can use this class to build an element structure using a custom XML
# parser, or a parser for some other XML-like format.
#
# @param element_factory Optional element factory. This factory
# is called to create new Element instances, as necessary.
示例3: _flush
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def _flush(self):
if self._data:
if self._last is not None:
text = string.join(self._data, "")
if self._tail:
assert self._last.tail is None, "internal error (tail)"
self._last.tail = text
else:
assert self._last.text is None, "internal error (text)"
self._last.text = text
self._data = []
##
# Adds text to the current element.
#
# @param data A string. This should be either an 8-bit string
# containing ASCII text, or a Unicode string.
示例4: loadIntoWindow
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def loadIntoWindow(self, filename, windowField):
"Load rule/lexicon set from a text file directly into the window pane specified"
# filename = args[0]
# windowField = args[1]
if filename:
filename = os.path.expanduser(filename)
f = read_kimmo_file(filename, self)
lines = f.readlines()
f.close()
text = []
for line in lines:
line = line.strip()
text.append(line)
# empty the window now that the file was valid
windowField.delete(1.0, Tkinter.END)
windowField.insert(1.0, '\n'.join(text))
return filename
return ''
# opens a load dialog for files of a specified type to be loaded into a specified window
示例5: _init_to_anusvaara_relaxed
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def _init_to_anusvaara_relaxed(self):
"""
`r1_nasal=re.compile(r'\\u0919\\u094D([\\u0915-\\u0918])')`
"""
nasals_list=[0x19,0x1e,0x23,0x28,0x29,0x2e]
nasals_list_str=','.join([langinfo.offset_to_char(x,self.lang) for x in nasals_list])
halant_offset=0x4d
anusvaara_offset=0x02
pat=re.compile(r'[{nasals_list_str}]{halant}'.format(
nasals_list_str=nasals_list_str,
halant=langinfo.offset_to_char(halant_offset,self.lang),
))
repl_string='{anusvaara}'.format(anusvaara=langinfo.offset_to_char(anusvaara_offset,self.lang))
self.pats_repls = (pat,repl_string)
示例6: __str__
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def __str__(self):
priorities = (
'Best Effort',
'Background',
'Excellent Effort',
'Critical Applications',
'Video, < 100 ms latency and jitter',
'Voice, < 10 ms latency and jitter',
'Internetwork Control',
'Network Control')
pcp = self.get_pcp()
return '\n'.join((
'802.1Q header: 0x{0:08X}'.format(self.get_long(0)),
'Priority Code Point: {0} ({1})'.format(pcp, priorities[pcp]),
'Drop Eligible Indicator: {0}'.format(self.get_dei()),
'VLAN Identifier: {0}'.format(self.get_vid())))
示例7: find_library_file
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def find_library_file (self, dirs, lib, debug=0):
# Prefer a debugging library if found (and requested), but deal
# with it if we don't have one.
if debug:
try_names = [lib + "_d", lib]
else:
try_names = [lib]
for dir in dirs:
for name in try_names:
libfile = os.path.join(dir, self.library_filename (name))
if os.path.exists(libfile):
return libfile
else:
# Oops, didn't find it in *any* of 'dirs'
return None
# find_library_file ()
# Helper methods for using the MSVC registry settings
示例8: find_exe
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def find_exe(self, exe):
"""Return path to an MSVC executable program.
Tries to find the program in several places: first, one of the
MSVC program search paths from the registry; next, the directories
in the PATH environment variable. If any of those work, return an
absolute path that is known to exist. If none of them work, just
return the original program name, 'exe'.
"""
for p in self.__paths:
fn = os.path.join(os.path.abspath(p), exe)
if os.path.isfile(fn):
return fn
# didn't find it; try existing path
for p in string.split(os.environ['Path'],';'):
fn = os.path.join(os.path.abspath(p),exe)
if os.path.isfile(fn):
return fn
return exe
示例9: prune_file_list
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def prune_file_list(self):
"""Prune off branches that might slip into the file list as created
by 'read_template()', but really don't belong there:
* the build tree (typically "build")
* the release tree itself (only an issue if we ran "sdist"
previously with --keep-temp, or it aborted)
* any RCS, CVS, .svn, .hg, .git, .bzr, _darcs directories
"""
build = self.get_finalized_command('build')
base_dir = self.distribution.get_fullname()
self.filelist.exclude_pattern(None, prefix=build.build_base)
self.filelist.exclude_pattern(None, prefix=base_dir)
# pruning out vcs directories
# both separators are used under win32
if sys.platform == 'win32':
seps = r'/|\\'
else:
seps = '/'
vcs_dirs = ['RCS', 'CVS', r'\.svn', r'\.hg', r'\.git', r'\.bzr',
'_darcs']
vcs_ptrn = r'(^|%s)(%s)(%s).*' % (seps, '|'.join(vcs_dirs), seps)
self.filelist.exclude_pattern(vcs_ptrn, is_regex=1)
示例10: formattree
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def formattree(self, tree, modname, parent=None):
"""Produce HTML for a class tree as given by inspect.getclasstree()."""
result = ''
for entry in tree:
if type(entry) is type(()):
c, bases = entry
result = result + '<dt><font face="helvetica, arial">'
result = result + self.classlink(c, modname)
if bases and bases != (parent,):
parents = []
for base in bases:
parents.append(self.classlink(base, modname))
result = result + '(' + join(parents, ', ') + ')'
result = result + '\n</font></dt>'
elif type(entry) is type([]):
result = result + '<dd>\n%s</dd>\n' % self.formattree(
entry, modname, c)
return '<dl>\n%s</dl>\n' % result
示例11: locate
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def locate(path, forceload=0):
"""Locate an object by name or dotted path, importing as necessary."""
parts = [part for part in split(path, '.') if part]
module, n = None, 0
while n < len(parts):
nextmodule = safeimport(join(parts[:n+1], '.'), forceload)
if nextmodule: module, n = nextmodule, n + 1
else: break
if module:
object = module
for part in parts[n:]:
try: object = getattr(object, part)
except AttributeError: return None
return object
else:
if hasattr(__builtin__, path):
return getattr(__builtin__, path)
# --------------------------------------- interactive interpreter interface
示例12: _norm_version
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def _norm_version(version, build=''):
""" Normalize the version and build strings and return a single
version string using the format major.minor.build (or patchlevel).
"""
l = string.split(version,'.')
if build:
l.append(build)
try:
ints = map(int,l)
except ValueError:
strings = l
else:
strings = map(str,ints)
version = string.join(strings[:3],'.')
return version
示例13: formatargspec
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def formatargspec(args, varargs=None, varkw=None, defaults=None,
formatarg=str,
formatvarargs=lambda name: '*' + name,
formatvarkw=lambda name: '**' + name,
formatvalue=lambda value: '=' + repr(value),
join=joinseq):
"""Format an argument spec from the 4 values returned by getargspec.
The first four arguments are (args, varargs, varkw, defaults). The
other four arguments are the corresponding optional formatting functions
that are called to turn names and values into strings. The ninth
argument is an optional function to format the sequence of arguments."""
specs = []
if defaults:
firstdefault = len(args) - len(defaults)
for i, arg in enumerate(args):
spec = strseq(arg, formatarg, join)
if defaults and i >= firstdefault:
spec = spec + formatvalue(defaults[i - firstdefault])
specs.append(spec)
if varargs is not None:
specs.append(formatvarargs(varargs))
if varkw is not None:
specs.append(formatvarkw(varkw))
return '(' + string.join(specs, ', ') + ')'
示例14: make_invoke_method
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def make_invoke_method(self, nargs):
params = ["PyString name"]
args = ["name"]
for i in range(nargs):
params.append("PyObject arg%d" % i)
args.append("arg%d" % i)
ret = ["public override PyObject invoke(%s) {" % ", ".join(params)]
ret.append(" if (name.interned) {")
#TODO create switch clause when more than 3-8 matches
for method in self.methods:
if not method.is_invokable or len(method.param_list) != nargs:
continue
name = method.get_public_name()
ret.append(" if (name == %s) return %s(%s);" %
(self.get_constant_string(name), name,
", ".join(args[1:])))
if len(ret) == 2: return []
ret.append(" }")
ret.append(" return base.invoke(%s);" % ", ".join(args))
ret.append("}")
return ret
示例15: Start
# 需要導入模塊: import string [as 別名]
# 或者: from string import join [as 別名]
def Start(self, callback):
try:
try:
try:
self.result = eval(self.code, self.frame.f_globals, self.frame.f_locals)
except SyntaxError:
exec self.code in self.frame.f_globals, self.frame.f_locals
self.result = ""
self.hresult = 0
except:
l = traceback.format_exception_only(sys.exc_info()[0], sys.exc_info()[1])
# l is a list of strings with trailing "\n"
self.result = string.join(map(lambda s:s[:-1], l), "\n")
self.hresult = winerror.E_FAIL
finally:
self.isComplete = 1
callback.onComplete()