本文整理汇总了Python中cyordereddict.OrderedDict.setdefault方法的典型用法代码示例。如果您正苦于以下问题:Python OrderedDict.setdefault方法的具体用法?Python OrderedDict.setdefault怎么用?Python OrderedDict.setdefault使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类cyordereddict.OrderedDict
的用法示例。
在下文中一共展示了OrderedDict.setdefault方法的2个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。
示例1: writegrammar
# 需要导入模块: from cyordereddict import OrderedDict [as 别名]
# 或者: from cyordereddict.OrderedDict import setdefault [as 别名]
def writegrammar(grammar, bitpar=False):
"""Write a grammar in a simple text file format.
Rules are written in the order as they appear in the sequence `grammar`,
except that the lexicon file lists words in sorted order (with tags for
each word in the order of `grammar`). For a description of the file format,
see ``docs/fileformats.rst``.
:param grammar: a sequence of rule tuples, as produced by
``treebankgrammar()``, ``dopreduction()``, or ``doubledop()``.
:param bitpar: when ``True``, use bitpar format: for rules, put weight
first and leave out the yield function. By default, a format that
supports LCFRS is used.
:returns: tuple of strings``(rules, lexicon)``
Weights are written in the following format:
- if ``bitpar`` is ``False``, write rational fractions; e.g., ``2/3``.
- if ``bitpar`` is ``True``, write frequencies (e.g., ``2``)
if probabilities sum to 1, i.e., in that case probabilities can be
re-computed as relative frequencies. Otherwise, resort to floating
point numbers (e.g., ``0.666``, imprecise)."""
rules, lexicon = [], []
lexical = OrderedDict()
freqs = bitpar
for (r, yf), w in grammar:
if isinstance(w, tuple):
if freqs:
w = '%g' % w[0]
else:
w1, w2 = w
if bitpar:
w = '%s' % (w1 / w2) # .hex()
else:
w = '%s/%s' % (w1, w2)
elif isinstance(w, float):
w = w.hex()
if len(r) == 2 and r[1] == 'Epsilon':
lexical.setdefault(yf[0], []).append((r[0], w))
continue
elif bitpar:
rules.append(('%s\t%s\n' % (w, '\t'.join(x for x in r))))
else:
yfstr = ','.join(''.join(map(str, a)) for a in yf)
rules.append(('%s\t%s\t%s\n' % (
'\t'.join(x for x in r), yfstr, w)))
for word in lexical:
lexicon.append(unescape(word))
for tag, w in lexical[word]:
lexicon.append('\t%s %s' % (tag, w))
lexicon.append('\n')
return ''.join(rules), ''.join(lexicon)
示例2: test_setdefault
# 需要导入模块: from cyordereddict import OrderedDict [as 别名]
# 或者: from cyordereddict.OrderedDict import setdefault [as 别名]
def test_setdefault(self):
pairs = [('c', 1), ('b', 2), ('a', 3), ('d', 4), ('e', 5), ('f', 6)]
shuffle(pairs)
od = OrderedDict(pairs)
pair_order = list(od.items())
self.assertEqual(od.setdefault('a', 10), 3)
# make sure order didn't change
self.assertEqual(list(od.items()), pair_order)
self.assertEqual(od.setdefault('x', 10), 10)
# make sure 'x' is added to the end
self.assertEqual(list(od.items())[-1], ('x', 10))
# make sure setdefault still works when __missing__ is defined
class Missing(OrderedDict):
def __missing__(self, key):
return 0
self.assertEqual(Missing().setdefault(5, 9), 9)