私は既存の文字列の複数化をできるだけ単純にしようと考えており、kwargsを探すときにstr.format()
にデフォルト値を解釈させることができるかどうか疑問に思っていました。次に例を示します。
string = "{number_of_sheep} sheep {has} run away"
dict_compiled_somewhere_else = {'number_of_sheep' : 4, 'has' : 'have'}
string.format(**dict_compiled_somewhere_else)
# gives "4 sheep have run away"
other_dict = {'number_of_sheep' : 1}
string.format(**other_dict)
# gives a key error: u'has'
# What I'd like is for format to somehow default to the key, or perhaps have some way of defining the 'default' value for the 'has' key
# I'd have liked: "1 sheep has run away"
乾杯
PEP 3101 であるため、string.format(**other_dict)
は使用できません。
インデックスまたはキーワードが存在しないアイテムを参照している場合は、IndexError/KeyErrorを発生させる必要があります。
問題を解決するためのヒントは、Customizing Formatters
、PEP 3101
にあります。 string.Formatter
を使用します。
PEP 3101
の例を改善します。
from string import Formatter
class UnseenFormatter(Formatter):
def get_value(self, key, args, kwds):
if isinstance(key, str):
try:
return kwds[key]
except KeyError:
return key
else:
return Formatter.get_value(key, args, kwds)
string = "{number_of_sheep} sheep {has} run away"
other_dict = {'number_of_sheep' : 1}
fmt = UnseenFormatter()
print fmt.format(string, **other_dict)
出力は
1 sheep has run away
MskimmとDanielの回答に基づいて、単数形/複数形の単語を事前に定義するソリューションを次に示します(mskimmのいくつかのタイプミスを修正します)。
唯一の欠点は、キーワードarg number
のハードコーディングです(したがって、number_of_sheep
を使用できなくなります)
from string import Formatter
class Plural(Formatter):
PLURALS = {'has' : 'have'}
def __init__(self):
super(Plural, self).__init__()
def get_value(self, key, args, kwds):
if isinstance(key, str):
try:
return kwds[key]
except KeyError:
if kwds.get('number', 1) == 1:
return key
return self.PLURALS[key]
return super(Plural, self).get_value(key, args, kwds)
string = "{number} sheep {has} run away"
fmt = Plural()
print fmt.format(string, **{'number' : 1})
print fmt.format(string, **{'number' : 2})
利点がわかりません。とにかく複数をチェックする必要があります。通常、羊の数は決まっていないためです。
class PluralVerb(object):
EXCEPTIONS = {'have': 'has'}
def __init__(self, plural):
self.plural = plural
def __format__(self, verb):
if self.plural:
return verb
if verb in self.EXCEPTIONS:
return self.EXCEPTIONS[verb]
return verb+'s'
number_of_sheep = 4
print "{number_of_sheep} sheep {pl:run} away".format(number_of_sheep=number_of_sheep, pl=PluralVerb(number_of_sheep!=1))
print "{number_of_sheep} sheep {pl:have} run away".format(number_of_sheep=number_of_sheep, pl=PluralVerb(number_of_sheep!=1))