2017-01-14 16:53:31 +00:00
|
|
|
|
# coding=utf8
|
2017-05-30 13:50:47 +00:00
|
|
|
|
#############################################################################
|
|
|
|
|
##
|
2021-05-04 09:14:30 +00:00
|
|
|
|
## Copyright (C) 2021 The Qt Company Ltd.
|
2017-05-30 13:50:47 +00:00
|
|
|
|
## Contact: https://www.qt.io/licensing/
|
|
|
|
|
##
|
|
|
|
|
## This file is part of the test suite of the Qt Toolkit.
|
|
|
|
|
##
|
|
|
|
|
## $QT_BEGIN_LICENSE:GPL-EXCEPT$
|
|
|
|
|
## Commercial License Usage
|
|
|
|
|
## Licensees holding valid commercial Qt licenses may use this file in
|
|
|
|
|
## accordance with the commercial license agreement provided with the
|
|
|
|
|
## Software or, alternatively, in accordance with the terms contained in
|
|
|
|
|
## a written agreement between you and The Qt Company. For licensing terms
|
|
|
|
|
## and conditions see https://www.qt.io/terms-conditions. For further
|
|
|
|
|
## information use the contact form at https://www.qt.io/contact-us.
|
|
|
|
|
##
|
|
|
|
|
## GNU General Public License Usage
|
|
|
|
|
## Alternatively, this file may be used under the terms of the GNU
|
|
|
|
|
## General Public License version 3 as published by the Free Software
|
|
|
|
|
## Foundation with exceptions as appearing in the file LICENSE.GPL3-EXCEPT
|
|
|
|
|
## included in the packaging of this file. Please review the following
|
|
|
|
|
## information to ensure the GNU General Public License requirements will
|
|
|
|
|
## be met: https://www.gnu.org/licenses/gpl-3.0.html.
|
|
|
|
|
##
|
|
|
|
|
## $QT_END_LICENSE$
|
|
|
|
|
##
|
|
|
|
|
#############################################################################
|
|
|
|
|
"""Shared serialization-scanning code for QLocaleXML format.
|
|
|
|
|
|
2020-02-19 14:17:16 +00:00
|
|
|
|
Provides classes:
|
|
|
|
|
Locale -- common data-type representing one locale as a namespace
|
|
|
|
|
QLocaleXmlWriter -- helper to write a QLocaleXML file
|
2020-02-25 11:30:06 +00:00
|
|
|
|
QLocaleXmlReader -- helper to read a QLocaleXML file back in
|
2020-02-19 14:17:16 +00:00
|
|
|
|
|
|
|
|
|
Support:
|
|
|
|
|
Spacer -- provides control over indentation of the output.
|
2017-05-30 13:50:47 +00:00
|
|
|
|
"""
|
2020-02-19 14:17:16 +00:00
|
|
|
|
from __future__ import print_function
|
2017-05-30 13:50:47 +00:00
|
|
|
|
from xml.sax.saxutils import escape
|
|
|
|
|
|
2020-02-19 16:18:28 +00:00
|
|
|
|
from localetools import Error
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
|
|
|
|
# Tools used by Locale:
|
|
|
|
|
def camel(seq):
|
|
|
|
|
yield seq.next()
|
|
|
|
|
for word in seq:
|
|
|
|
|
yield word.capitalize()
|
|
|
|
|
|
|
|
|
|
def camelCase(words):
|
|
|
|
|
return ''.join(camel(iter(words)))
|
|
|
|
|
|
2020-02-19 14:17:16 +00:00
|
|
|
|
def addEscapes(s):
|
|
|
|
|
return ''.join(c if n < 128 else '\\x{:02x}'.format(n)
|
|
|
|
|
for n, c in ((ord(c), c) for c in s))
|
|
|
|
|
|
2018-09-12 10:41:23 +00:00
|
|
|
|
def startCount(c, text): # strspn
|
|
|
|
|
"""First index in text where it doesn't have a character in c"""
|
|
|
|
|
assert text and text[0] in c
|
|
|
|
|
try:
|
|
|
|
|
return (j for j, d in enumerate(text) if d not in c).next()
|
|
|
|
|
except StopIteration:
|
|
|
|
|
return len(text)
|
|
|
|
|
|
2017-05-30 13:50:47 +00:00
|
|
|
|
def convertFormat(format):
|
2018-09-12 10:41:23 +00:00
|
|
|
|
"""Convert date/time format-specier from CLDR to Qt
|
|
|
|
|
|
|
|
|
|
Match up (as best we can) the differences between:
|
|
|
|
|
* https://www.unicode.org/reports/tr35/tr35-dates.html#Date_Field_Symbol_Table
|
|
|
|
|
* QDateTimeParser::parseFormat() and QLocalePrivate::dateTimeToString()
|
|
|
|
|
"""
|
2020-02-19 14:17:16 +00:00
|
|
|
|
# Compare and contrast dateconverter.py's convert_date().
|
|
|
|
|
# Need to (check consistency and) reduce redundancy !
|
2017-05-30 13:50:47 +00:00
|
|
|
|
result = ""
|
|
|
|
|
i = 0
|
|
|
|
|
while i < len(format):
|
|
|
|
|
if format[i] == "'":
|
|
|
|
|
result += "'"
|
|
|
|
|
i += 1
|
|
|
|
|
while i < len(format) and format[i] != "'":
|
|
|
|
|
result += format[i]
|
|
|
|
|
i += 1
|
|
|
|
|
if i < len(format):
|
|
|
|
|
result += "'"
|
|
|
|
|
i += 1
|
|
|
|
|
else:
|
|
|
|
|
s = format[i:]
|
2018-09-12 10:41:23 +00:00
|
|
|
|
if s.startswith('E'): # week-day
|
|
|
|
|
n = startCount('E', s)
|
|
|
|
|
if n < 3:
|
|
|
|
|
result += 'ddd'
|
|
|
|
|
elif n == 4:
|
|
|
|
|
result += 'dddd'
|
|
|
|
|
else: # 5: narrow, 6 short; but should be name, not number :-(
|
|
|
|
|
result += 'd' if n < 6 else 'dd'
|
|
|
|
|
i += n
|
|
|
|
|
elif s[0] in 'ab': # am/pm
|
|
|
|
|
# 'b' should distinguish noon/midnight, too :-(
|
2017-05-30 13:50:47 +00:00
|
|
|
|
result += "AP"
|
2018-09-12 10:41:23 +00:00
|
|
|
|
i += startCount('ab', s)
|
|
|
|
|
elif s.startswith('S'): # fractions of seconds: count('S') == number of decimals to show
|
|
|
|
|
result += 'z'
|
|
|
|
|
i += startCount('S', s)
|
|
|
|
|
elif s.startswith('V'): # long time zone specifiers (and a deprecated short ID)
|
|
|
|
|
result += 't'
|
|
|
|
|
i += startCount('V', s)
|
|
|
|
|
elif s[0] in 'zv': # zone
|
|
|
|
|
# Should use full name, e.g. "Central European Time", if 'zzzz' :-(
|
|
|
|
|
# 'v' should get generic non-location format, e.g. PT for "Pacific Time", no DST indicator
|
2017-05-30 13:50:47 +00:00
|
|
|
|
result += "t"
|
2018-09-12 10:41:23 +00:00
|
|
|
|
i += startCount('zv', s)
|
2017-05-30 13:50:47 +00:00
|
|
|
|
else:
|
|
|
|
|
result += format[i]
|
|
|
|
|
i += 1
|
|
|
|
|
|
|
|
|
|
return result
|
|
|
|
|
|
2020-02-25 11:30:06 +00:00
|
|
|
|
class QLocaleXmlReader (object):
|
|
|
|
|
def __init__(self, filename):
|
|
|
|
|
self.root = self.__parse(filename)
|
|
|
|
|
# Lists of (id, name, code) triples:
|
|
|
|
|
languages = tuple(self.__loadMap('language'))
|
|
|
|
|
scripts = tuple(self.__loadMap('script'))
|
|
|
|
|
countries = tuple(self.__loadMap('country'))
|
|
|
|
|
self.__likely = tuple(self.__likelySubtagsMap())
|
|
|
|
|
# Mappings {ID: (name, code)}
|
|
|
|
|
self.languages = dict((v[0], v[1:]) for v in languages)
|
|
|
|
|
self.scripts = dict((v[0], v[1:]) for v in scripts)
|
|
|
|
|
self.countries = dict((v[0], v[1:]) for v in countries)
|
|
|
|
|
# Private mappings {name: (ID, code)}
|
|
|
|
|
self.__langByName = dict((v[1], (v[0], v[2])) for v in languages)
|
|
|
|
|
self.__textByName = dict((v[1], (v[0], v[2])) for v in scripts)
|
|
|
|
|
self.__landByName = dict((v[1], (v[0], v[2])) for v in countries)
|
|
|
|
|
# Other properties:
|
|
|
|
|
self.dupes = set(v[1] for v in languages) & set(v[1] for v in countries)
|
|
|
|
|
self.cldrVersion = self.__firstChildText(self.root, "version")
|
|
|
|
|
|
|
|
|
|
def loadLocaleMap(self, calendars, grumble = lambda text: None):
|
|
|
|
|
kid = self.__firstChildText
|
|
|
|
|
likely = dict(self.__likely)
|
|
|
|
|
for elt in self.__eachEltInGroup(self.root, 'localeList', 'locale'):
|
|
|
|
|
locale = Locale.fromXmlData(lambda k: kid(elt, k), calendars)
|
|
|
|
|
language = self.__langByName[locale.language][0]
|
|
|
|
|
script = self.__textByName[locale.script][0]
|
|
|
|
|
country = self.__landByName[locale.country][0]
|
|
|
|
|
|
|
|
|
|
if language != 1: # C
|
|
|
|
|
if country == 0:
|
|
|
|
|
grumble('loadLocaleMap: No country id for "{}"\n'.format(locale.language))
|
|
|
|
|
|
|
|
|
|
if script == 0:
|
|
|
|
|
# Find default script for the given language and country - see:
|
|
|
|
|
# http://www.unicode.org/reports/tr35/#Likely_Subtags
|
|
|
|
|
try:
|
|
|
|
|
try:
|
|
|
|
|
to = likely[(locale.language, 'AnyScript', locale.country)]
|
|
|
|
|
except KeyError:
|
2021-03-09 08:19:54 +00:00
|
|
|
|
to = likely[(locale.language, 'AnyScript', 'AnyTerritory')]
|
2020-02-25 11:30:06 +00:00
|
|
|
|
except KeyError:
|
|
|
|
|
pass
|
|
|
|
|
else:
|
|
|
|
|
locale.script = to[1]
|
|
|
|
|
script = self.__textByName[locale.script][0]
|
|
|
|
|
|
|
|
|
|
yield (language, script, country), locale
|
|
|
|
|
|
|
|
|
|
def languageIndices(self, locales):
|
|
|
|
|
index = 0
|
|
|
|
|
for key, value in self.languages.iteritems():
|
|
|
|
|
i, count = 0, locales.count(key)
|
|
|
|
|
if count > 0:
|
|
|
|
|
i = index
|
|
|
|
|
index += count
|
|
|
|
|
yield i, value[0]
|
|
|
|
|
|
|
|
|
|
def likelyMap(self):
|
|
|
|
|
def tag(t):
|
|
|
|
|
lang, script, land = t
|
|
|
|
|
yield lang[1] if lang[0] else 'und'
|
|
|
|
|
if script[0]: yield script[1]
|
|
|
|
|
if land[0]: yield land[1]
|
|
|
|
|
|
|
|
|
|
def ids(t):
|
|
|
|
|
return tuple(x[0] for x in t)
|
|
|
|
|
|
2020-10-12 11:12:48 +00:00
|
|
|
|
for pair in self.__likely:
|
2020-02-25 11:30:06 +00:00
|
|
|
|
have = self.__fromNames(pair[0])
|
|
|
|
|
give = self.__fromNames(pair[1])
|
|
|
|
|
yield ('_'.join(tag(have)), ids(have),
|
2020-10-12 11:12:48 +00:00
|
|
|
|
'_'.join(tag(give)), ids(give))
|
2020-02-25 11:30:06 +00:00
|
|
|
|
|
|
|
|
|
def defaultMap(self):
|
|
|
|
|
"""Map language and script to their default country by ID.
|
|
|
|
|
|
|
|
|
|
Yields ((language, script), country) wherever the likely
|
|
|
|
|
sub-tags mapping says language's default locale uses the given
|
|
|
|
|
script and country."""
|
|
|
|
|
for have, give in self.__likely:
|
2021-03-09 08:19:54 +00:00
|
|
|
|
if have[1:] == ('AnyScript', 'AnyTerritory') and give[2] != 'AnyTerritory':
|
2020-02-25 11:30:06 +00:00
|
|
|
|
assert have[0] == give[0], (have, give)
|
|
|
|
|
yield ((self.__langByName[give[0]][0],
|
|
|
|
|
self.__textByName[give[1]][0]),
|
|
|
|
|
self.__landByName[give[2]][0])
|
|
|
|
|
|
|
|
|
|
# Implementation details:
|
|
|
|
|
def __loadMap(self, category):
|
|
|
|
|
kid = self.__firstChildText
|
|
|
|
|
for element in self.__eachEltInGroup(self.root, category + 'List', category):
|
|
|
|
|
yield int(kid(element, 'id')), kid(element, 'name'), kid(element, 'code')
|
|
|
|
|
|
|
|
|
|
def __likelySubtagsMap(self):
|
|
|
|
|
def triplet(element, keys=('language', 'script', 'country'), kid = self.__firstChildText):
|
|
|
|
|
return tuple(kid(element, key) for key in keys)
|
|
|
|
|
|
|
|
|
|
kid = self.__firstChildElt
|
|
|
|
|
for elt in self.__eachEltInGroup(self.root, 'likelySubtags', 'likelySubtag'):
|
|
|
|
|
yield triplet(kid(elt, "from")), triplet(kid(elt, "to"))
|
|
|
|
|
|
|
|
|
|
def __fromNames(self, names):
|
|
|
|
|
return self.__langByName[names[0]], self.__textByName[names[1]], self.__landByName[names[2]]
|
|
|
|
|
|
|
|
|
|
# DOM access:
|
|
|
|
|
from xml.dom import minidom
|
|
|
|
|
@staticmethod
|
|
|
|
|
def __parse(filename, read = minidom.parse):
|
|
|
|
|
return read(filename).documentElement
|
|
|
|
|
|
|
|
|
|
@staticmethod
|
|
|
|
|
def __isNodeNamed(elt, name, TYPE=minidom.Node.ELEMENT_NODE):
|
|
|
|
|
return elt.nodeType == TYPE and elt.nodeName == name
|
|
|
|
|
del minidom
|
|
|
|
|
|
|
|
|
|
@staticmethod
|
|
|
|
|
def __eltWords(elt):
|
|
|
|
|
child = elt.firstChild
|
|
|
|
|
while child:
|
|
|
|
|
if child.nodeType == elt.TEXT_NODE:
|
|
|
|
|
yield child.nodeValue
|
|
|
|
|
child = child.nextSibling
|
|
|
|
|
|
|
|
|
|
@classmethod
|
|
|
|
|
def __firstChildElt(cls, parent, name):
|
|
|
|
|
child = parent.firstChild
|
|
|
|
|
while child:
|
|
|
|
|
if cls.__isNodeNamed(child, name):
|
|
|
|
|
return child
|
|
|
|
|
child = child.nextSibling
|
|
|
|
|
|
|
|
|
|
raise Error('No {} child found'.format(name))
|
|
|
|
|
|
|
|
|
|
@classmethod
|
|
|
|
|
def __firstChildText(cls, elt, key):
|
|
|
|
|
return ' '.join(cls.__eltWords(cls.__firstChildElt(elt, key)))
|
|
|
|
|
|
|
|
|
|
@classmethod
|
|
|
|
|
def __eachEltInGroup(cls, parent, group, key):
|
|
|
|
|
try:
|
|
|
|
|
element = cls.__firstChildElt(parent, group).firstChild
|
|
|
|
|
except Error:
|
|
|
|
|
element = None
|
|
|
|
|
|
|
|
|
|
while element:
|
|
|
|
|
if cls.__isNodeNamed(element, key):
|
|
|
|
|
yield element
|
|
|
|
|
element = element.nextSibling
|
|
|
|
|
|
|
|
|
|
|
2020-02-19 14:17:16 +00:00
|
|
|
|
class Spacer (object):
|
|
|
|
|
def __init__(self, indent = None, initial = ''):
|
|
|
|
|
"""Prepare to manage indentation and line breaks.
|
|
|
|
|
|
|
|
|
|
Arguments are both optional.
|
|
|
|
|
|
|
|
|
|
First argument, indent, is either None (its default, for
|
|
|
|
|
'minifying'), an ingeter (number of spaces) or the unit of
|
|
|
|
|
text that is to be used for each indentation level (e.g. '\t'
|
|
|
|
|
to use tabs). If indent is None, no indentation is added, nor
|
|
|
|
|
are line-breaks; otherwise, self(text), for non-empty text,
|
|
|
|
|
shall end with a newline and begin with indentation.
|
|
|
|
|
|
|
|
|
|
Second argument, initial, is the initial indentation; it is
|
|
|
|
|
ignored if indent is None. Indentation increases after each
|
|
|
|
|
call to self(text) in which text starts with a tag and doesn't
|
|
|
|
|
include its end-tag; indentation decreases if text starts with
|
|
|
|
|
an end-tag. The text is not parsed any more carefully than
|
|
|
|
|
just described.
|
|
|
|
|
"""
|
|
|
|
|
if indent is None:
|
|
|
|
|
self.__call = lambda x: x
|
|
|
|
|
else:
|
|
|
|
|
self.__each = ' ' * indent if isinstance(indent, int) else indent
|
|
|
|
|
self.current = initial
|
|
|
|
|
self.__call = self.__wrap
|
|
|
|
|
|
|
|
|
|
def __wrap(self, line):
|
|
|
|
|
if not line:
|
|
|
|
|
return '\n'
|
|
|
|
|
|
|
|
|
|
indent = self.current
|
|
|
|
|
if line.startswith('</'):
|
|
|
|
|
indent = self.current = indent[:-len(self.__each)]
|
|
|
|
|
elif line.startswith('<') and not line.startswith('<!'):
|
|
|
|
|
cut = line.find('>')
|
|
|
|
|
tag = (line[1:] if cut < 0 else line[1 : cut]).strip().split()[0]
|
|
|
|
|
if '</{}>'.format(tag) not in line:
|
|
|
|
|
self.current += self.__each
|
|
|
|
|
return indent + line + '\n'
|
|
|
|
|
|
|
|
|
|
def __call__(self, line):
|
|
|
|
|
return self.__call(line)
|
|
|
|
|
|
|
|
|
|
class QLocaleXmlWriter (object):
|
|
|
|
|
def __init__(self, save = None, space = Spacer(4)):
|
|
|
|
|
"""Set up to write digested CLDR data as QLocale XML.
|
|
|
|
|
|
|
|
|
|
Arguments are both optional.
|
|
|
|
|
|
|
|
|
|
First argument, save, is None (its default) or a callable that
|
|
|
|
|
will write content to where you intend to save it. If None, it
|
|
|
|
|
is replaced with a callable that prints the given content,
|
|
|
|
|
suppressing the newline (but see the following); this is
|
|
|
|
|
equivalent to passing sys.stdout.write.
|
|
|
|
|
|
|
|
|
|
Second argument, space, is an object to call on each text
|
|
|
|
|
output to prepend indentation and append newlines, or not as
|
|
|
|
|
the case may be. The default is a Spacer(4), which grows
|
|
|
|
|
indent by four spaces after each unmatched new tag and shrinks
|
|
|
|
|
back on a close-tag (its parsing is naive, but adequate to how
|
|
|
|
|
this class uses it), while adding a newline to each line.
|
|
|
|
|
"""
|
|
|
|
|
self.__rawOutput = self.__printit if save is None else save
|
|
|
|
|
self.__wrap = space
|
|
|
|
|
self.__write('<localeDatabase>')
|
|
|
|
|
|
|
|
|
|
# Output of various sections, in their usual order:
|
2021-05-04 09:14:30 +00:00
|
|
|
|
def enumData(self):
|
|
|
|
|
from enumdata import language_list, script_list, country_list
|
|
|
|
|
self.__enumTable('language', language_list)
|
|
|
|
|
self.__enumTable('script', script_list)
|
|
|
|
|
self.__enumTable('country', country_list)
|
2020-02-19 14:17:16 +00:00
|
|
|
|
|
|
|
|
|
def likelySubTags(self, entries):
|
|
|
|
|
self.__openTag('likelySubtags')
|
|
|
|
|
for have, give in entries:
|
|
|
|
|
self.__openTag('likelySubtag')
|
|
|
|
|
self.__likelySubTag('from', have)
|
|
|
|
|
self.__likelySubTag('to', give)
|
|
|
|
|
self.__closeTag('likelySubtag')
|
|
|
|
|
self.__closeTag('likelySubtags')
|
|
|
|
|
|
|
|
|
|
def locales(self, locales, calendars):
|
|
|
|
|
self.__openTag('localeList')
|
|
|
|
|
self.__openTag('locale')
|
|
|
|
|
Locale.C(calendars).toXml(self.inTag, calendars)
|
|
|
|
|
self.__closeTag('locale')
|
|
|
|
|
keys = locales.keys()
|
|
|
|
|
keys.sort()
|
|
|
|
|
for key in keys:
|
|
|
|
|
self.__openTag('locale')
|
|
|
|
|
locales[key].toXml(self.inTag, calendars)
|
|
|
|
|
self.__closeTag('locale')
|
|
|
|
|
self.__closeTag('localeList')
|
|
|
|
|
|
|
|
|
|
def version(self, cldrVersion):
|
|
|
|
|
self.inTag('version', cldrVersion)
|
|
|
|
|
|
|
|
|
|
def inTag(self, tag, text):
|
|
|
|
|
self.__write('<{0}>{1}</{0}>'.format(tag, text))
|
|
|
|
|
|
|
|
|
|
def close(self):
|
|
|
|
|
if self.__rawOutput != self.__complain:
|
|
|
|
|
self.__write('</localeDatabase>')
|
|
|
|
|
self.__rawOutput = self.__complain
|
|
|
|
|
|
|
|
|
|
# Implementation details
|
|
|
|
|
@staticmethod
|
|
|
|
|
def __printit(text):
|
|
|
|
|
print(text, end='')
|
|
|
|
|
@staticmethod
|
|
|
|
|
def __complain(text):
|
|
|
|
|
raise Error('Attempted to write data after closing :-(')
|
|
|
|
|
|
|
|
|
|
def __enumTable(self, tag, table):
|
2020-10-19 12:58:40 +00:00
|
|
|
|
self.__openTag(tag + 'List')
|
2020-02-19 14:17:16 +00:00
|
|
|
|
for key, value in table.iteritems():
|
2020-10-19 12:58:40 +00:00
|
|
|
|
self.__openTag(tag)
|
2020-02-19 14:17:16 +00:00
|
|
|
|
self.inTag('name', value[0])
|
|
|
|
|
self.inTag('id', key)
|
|
|
|
|
self.inTag('code', value[1])
|
2020-10-19 12:58:40 +00:00
|
|
|
|
self.__closeTag(tag)
|
|
|
|
|
self.__closeTag(tag + 'List')
|
2020-02-19 14:17:16 +00:00
|
|
|
|
|
|
|
|
|
def __likelySubTag(self, tag, likely):
|
|
|
|
|
self.__openTag(tag)
|
|
|
|
|
self.inTag('language', likely[0])
|
|
|
|
|
self.inTag('script', likely[1])
|
|
|
|
|
self.inTag('country', likely[2])
|
|
|
|
|
# self.inTag('variant', likely[3])
|
|
|
|
|
self.__closeTag(tag)
|
|
|
|
|
|
|
|
|
|
def __openTag(self, tag):
|
|
|
|
|
self.__write('<{}>'.format(tag))
|
|
|
|
|
def __closeTag(self, tag):
|
|
|
|
|
self.__write('</{}>'.format(tag))
|
|
|
|
|
|
|
|
|
|
def __write(self, line):
|
|
|
|
|
self.__rawOutput(self.__wrap(line))
|
|
|
|
|
|
|
|
|
|
class Locale (object):
|
|
|
|
|
"""Holder for the assorted data representing one locale.
|
|
|
|
|
|
|
|
|
|
Implemented as a namespace; its constructor and update() have the
|
|
|
|
|
same signatures as those of a dict, acting on the instance's
|
|
|
|
|
__dict__, so the results are accessed as attributes rather than
|
|
|
|
|
mapping keys."""
|
|
|
|
|
def __init__(self, data=None, **kw):
|
|
|
|
|
self.update(data, **kw)
|
|
|
|
|
|
|
|
|
|
def update(self, data=None, **kw):
|
|
|
|
|
if data: self.__dict__.update(data)
|
|
|
|
|
if kw: self.__dict__.update(kw)
|
|
|
|
|
|
|
|
|
|
def __len__(self): # Used when testing as a boolean
|
|
|
|
|
return len(self.__dict__)
|
|
|
|
|
|
2017-01-14 16:53:31 +00:00
|
|
|
|
@staticmethod
|
|
|
|
|
def propsMonthDay(scale, lengths=('long', 'short', 'narrow')):
|
2017-05-30 13:50:47 +00:00
|
|
|
|
for L in lengths:
|
2017-01-14 16:53:31 +00:00
|
|
|
|
yield camelCase((L, scale))
|
|
|
|
|
yield camelCase(('standalone', L, scale))
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
|
|
|
|
# Expected to be numbers, read with int():
|
2020-01-13 14:46:13 +00:00
|
|
|
|
__asint = ("currencyDigits", "currencyRounding")
|
2017-05-30 13:50:47 +00:00
|
|
|
|
# Convert day-name to Qt day-of-week number:
|
|
|
|
|
__asdow = ("firstDayOfWeek", "weekendStart", "weekendEnd")
|
|
|
|
|
# Convert from CLDR format-strings to QDateTimeParser ones:
|
|
|
|
|
__asfmt = ("longDateFormat", "shortDateFormat", "longTimeFormat", "shortTimeFormat")
|
|
|
|
|
# Just use the raw text:
|
|
|
|
|
__astxt = ("language", "languageEndonym", "script", "country", "countryEndonym",
|
2020-01-13 14:46:13 +00:00
|
|
|
|
"decimal", "group", "zero",
|
|
|
|
|
"list", "percent", "minus", "plus", "exp",
|
|
|
|
|
"quotationStart", "quotationEnd",
|
|
|
|
|
"alternateQuotationStart", "alternateQuotationEnd",
|
2017-05-30 13:50:47 +00:00
|
|
|
|
"listPatternPartStart", "listPatternPartMiddle",
|
|
|
|
|
"listPatternPartEnd", "listPatternPartTwo", "am", "pm",
|
Add byte-based units to CLDR data
Scan CLDR for {,kilo,mega,giga,tera,peta,exa}byte forms and their IEC
equivalents, providing SI and IEC defaults when missing (which all of
IEC are) in addition to the usual numeric data. Extrapolate from any
present data (e.g. French's ko, Mo, Go, To imply Po, Eo and, for IEC,
Kio, Mio, etc.), since CLDR only goes up to tera. Propagate this data
to QLocale's database ready for use by QLocale::formattedDataSize().
Change-Id: Ie6ee978948c68be9f71ab784a128cbfae3d80ee1
Reviewed-by: Shawn Rutledge <shawn.rutledge@qt.io>
2017-05-30 12:55:33 +00:00
|
|
|
|
'byte_unit', 'byte_si_quantified', 'byte_iec_quantified',
|
2017-05-30 13:50:47 +00:00
|
|
|
|
"currencyIsoCode", "currencySymbol", "currencyDisplayName",
|
2017-01-14 16:53:31 +00:00
|
|
|
|
"currencyFormat", "currencyNegativeFormat")
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
|
|
|
|
# Day-of-Week numbering used by Qt:
|
|
|
|
|
__qDoW = {"mon": 1, "tue": 2, "wed": 3, "thu": 4, "fri": 5, "sat": 6, "sun": 7}
|
|
|
|
|
|
|
|
|
|
@classmethod
|
2017-01-14 16:53:31 +00:00
|
|
|
|
def fromXmlData(cls, lookup, calendars=('gregorian',)):
|
2017-05-30 13:50:47 +00:00
|
|
|
|
"""Constructor from the contents of XML elements.
|
|
|
|
|
|
|
|
|
|
Single parameter, lookup, is called with the names of XML
|
|
|
|
|
elements that should contain the relevant data, within a CLDR
|
|
|
|
|
locale element (within a localeList element); these names are
|
|
|
|
|
used for the attributes of the object constructed. Attribute
|
|
|
|
|
values are obtained by suitably digesting the returned element
|
|
|
|
|
texts.\n"""
|
|
|
|
|
data = {}
|
|
|
|
|
for k in cls.__asint:
|
2020-01-13 14:46:13 +00:00
|
|
|
|
data[k] = int(lookup(k))
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
|
|
|
|
for k in cls.__asdow:
|
|
|
|
|
data[k] = cls.__qDoW[lookup(k)]
|
|
|
|
|
|
|
|
|
|
for k in cls.__asfmt:
|
|
|
|
|
data[k] = convertFormat(lookup(k))
|
|
|
|
|
|
2017-01-14 16:53:31 +00:00
|
|
|
|
for k in cls.__astxt + tuple(cls.propsMonthDay('days')):
|
2020-01-13 14:46:13 +00:00
|
|
|
|
data['listDelim' if k == 'list' else k] = lookup(k)
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
2017-01-14 16:53:31 +00:00
|
|
|
|
for k in cls.propsMonthDay('months'):
|
|
|
|
|
data[k] = dict((cal, lookup('_'.join((k, cal)))) for cal in calendars)
|
|
|
|
|
|
2020-01-17 10:00:24 +00:00
|
|
|
|
grouping = lookup('groupSizes').split(';')
|
|
|
|
|
data.update(groupLeast = int(grouping[0]),
|
|
|
|
|
groupHigher = int(grouping[1]),
|
|
|
|
|
groupTop = int(grouping[2]))
|
|
|
|
|
|
2017-05-30 13:50:47 +00:00
|
|
|
|
return cls(data)
|
|
|
|
|
|
2020-02-19 14:17:16 +00:00
|
|
|
|
def toXml(self, write, calendars=('gregorian',)):
|
|
|
|
|
"""Writes its data as QLocale XML.
|
|
|
|
|
|
|
|
|
|
First argument, write, is a callable taking the name and
|
|
|
|
|
content of an XML element; it is expected to be the inTag
|
|
|
|
|
bound method of a QLocaleXmlWriter instance.
|
|
|
|
|
|
|
|
|
|
Optional second argument is a list of calendar names, in the
|
|
|
|
|
form used by CLDR; its default is ('gregorian',).
|
|
|
|
|
"""
|
2017-05-30 13:50:47 +00:00
|
|
|
|
get = lambda k: getattr(self, k)
|
|
|
|
|
for key in ('language', 'script', 'country'):
|
2020-02-19 14:17:16 +00:00
|
|
|
|
write(key, get(key))
|
|
|
|
|
write('{}code'.format(key), get('{}_code'.format(key)))
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
2020-04-06 23:00:12 +00:00
|
|
|
|
for key in ('decimal', 'group', 'zero', 'list',
|
|
|
|
|
'percent', 'minus', 'plus', 'exp'):
|
|
|
|
|
write(key, get(key))
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
2020-02-19 13:08:22 +00:00
|
|
|
|
for key in ('languageEndonym', 'countryEndonym',
|
2017-05-30 13:50:47 +00:00
|
|
|
|
'quotationStart', 'quotationEnd',
|
|
|
|
|
'alternateQuotationStart', 'alternateQuotationEnd',
|
|
|
|
|
'listPatternPartStart', 'listPatternPartMiddle',
|
|
|
|
|
'listPatternPartEnd', 'listPatternPartTwo',
|
Add byte-based units to CLDR data
Scan CLDR for {,kilo,mega,giga,tera,peta,exa}byte forms and their IEC
equivalents, providing SI and IEC defaults when missing (which all of
IEC are) in addition to the usual numeric data. Extrapolate from any
present data (e.g. French's ko, Mo, Go, To imply Po, Eo and, for IEC,
Kio, Mio, etc.), since CLDR only goes up to tera. Propagate this data
to QLocale's database ready for use by QLocale::formattedDataSize().
Change-Id: Ie6ee978948c68be9f71ab784a128cbfae3d80ee1
Reviewed-by: Shawn Rutledge <shawn.rutledge@qt.io>
2017-05-30 12:55:33 +00:00
|
|
|
|
'byte_unit', 'byte_si_quantified', 'byte_iec_quantified',
|
2017-05-30 13:50:47 +00:00
|
|
|
|
'am', 'pm', 'firstDayOfWeek',
|
|
|
|
|
'weekendStart', 'weekendEnd',
|
|
|
|
|
'longDateFormat', 'shortDateFormat',
|
|
|
|
|
'longTimeFormat', 'shortTimeFormat',
|
|
|
|
|
'currencyIsoCode', 'currencySymbol', 'currencyDisplayName',
|
2017-01-14 16:53:31 +00:00
|
|
|
|
'currencyFormat', 'currencyNegativeFormat'
|
|
|
|
|
) + tuple(self.propsMonthDay('days')) + tuple(
|
|
|
|
|
'_'.join((k, cal))
|
|
|
|
|
for k in self.propsMonthDay('months')
|
|
|
|
|
for cal in calendars):
|
2020-02-19 14:17:16 +00:00
|
|
|
|
write(key, escape(get(key)).encode('utf-8'))
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
2020-01-17 10:00:24 +00:00
|
|
|
|
write('groupSizes', ';'.join(str(x) for x in get('groupSizes')))
|
2017-05-30 13:50:47 +00:00
|
|
|
|
for key in ('currencyDigits', 'currencyRounding'):
|
2020-02-19 14:17:16 +00:00
|
|
|
|
write(key, get(key))
|
2017-05-30 13:50:47 +00:00
|
|
|
|
|
2017-01-14 16:53:31 +00:00
|
|
|
|
# Tools used by __monthNames:
|
|
|
|
|
def fullName(i, name): return name
|
|
|
|
|
def firstThree(i, name): return name[:3]
|
|
|
|
|
def initial(i, name): return name[:1]
|
|
|
|
|
def number(i, name): return str(i + 1)
|
2019-08-08 18:35:13 +00:00
|
|
|
|
def islamicShort(i, name):
|
|
|
|
|
if not name: return name
|
|
|
|
|
if name == 'Shawwal': return 'Shaw.'
|
|
|
|
|
words = name.split()
|
|
|
|
|
if words[0].startswith('Dhu'):
|
|
|
|
|
words[0] = words[0][:7] + '.'
|
|
|
|
|
elif len(words[0]) > 3:
|
|
|
|
|
words[0] = words[0][:3] + '.'
|
|
|
|
|
return ' '.join(words)
|
2017-01-14 16:53:31 +00:00
|
|
|
|
@staticmethod
|
|
|
|
|
def __monthNames(calendars,
|
|
|
|
|
known={ # Map calendar to (names, extractors...):
|
2020-02-25 11:30:06 +00:00
|
|
|
|
# TODO: do we even need these ? CLDR's root.xml seems to
|
|
|
|
|
# have them, complete with yeartype="leap" handling for
|
|
|
|
|
# Hebrew's extra.
|
2017-01-14 16:53:31 +00:00
|
|
|
|
'gregorian': (('January', 'February', 'March', 'April', 'May', 'June', 'July',
|
|
|
|
|
'August', 'September', 'October', 'November', 'December'),
|
|
|
|
|
# Extractor pairs, (plain, standalone)
|
|
|
|
|
(fullName, fullName), # long
|
|
|
|
|
(firstThree, firstThree), # short
|
|
|
|
|
(number, initial)), # narrow
|
2019-08-08 18:27:18 +00:00
|
|
|
|
'persian': (('Farvardin', 'Ordibehesht', 'Khordad', 'Tir', 'Mordad',
|
|
|
|
|
'Shahrivar', 'Mehr', 'Aban', 'Azar', 'Dey', 'Bahman', 'Esfand'),
|
|
|
|
|
(fullName, fullName),
|
|
|
|
|
(firstThree, firstThree),
|
|
|
|
|
(number, initial)),
|
2019-08-08 18:35:13 +00:00
|
|
|
|
'islamic': ((u'Muharram', u'Safar', u'Rabiʻ I', u'Rabiʻ II', u'Jumada I',
|
|
|
|
|
u'Jumada II', u'Rajab', u'Shaʻban', u'Ramadan', u'Shawwal',
|
|
|
|
|
u'Dhuʻl-Qiʻdah', u'Dhuʻl-Hijjah'),
|
|
|
|
|
(fullName, fullName),
|
|
|
|
|
(islamicShort, islamicShort),
|
|
|
|
|
(number, number)),
|
2017-01-14 16:53:31 +00:00
|
|
|
|
'hebrew': (('Tishri', 'Heshvan', 'Kislev', 'Tevet', 'Shevat', 'Adar I',
|
|
|
|
|
'Adar', 'Nisan', 'Iyar', 'Sivan', 'Tamuz', 'Av'),
|
|
|
|
|
(fullName, fullName),
|
|
|
|
|
(fullName, fullName),
|
|
|
|
|
(number, number)),
|
|
|
|
|
},
|
|
|
|
|
sizes=('long', 'short', 'narrow')):
|
|
|
|
|
for cal in calendars:
|
|
|
|
|
try:
|
|
|
|
|
data = known[cal]
|
2020-02-19 14:17:16 +00:00
|
|
|
|
except KeyError as e: # Need to add an entry to known, above.
|
|
|
|
|
e.args += ('Unsupported calendar:', cal)
|
2017-01-14 16:53:31 +00:00
|
|
|
|
raise
|
2020-01-09 13:48:21 +00:00
|
|
|
|
names, get = data[0], data[1:]
|
2017-01-14 16:53:31 +00:00
|
|
|
|
for n, size in enumerate(sizes):
|
|
|
|
|
yield ('_'.join((camelCase((size, 'months')), cal)),
|
|
|
|
|
';'.join(get[n][0](i, x) for i, x in enumerate(names)))
|
|
|
|
|
yield ('_'.join((camelCase(('standalone', size, 'months')), cal)),
|
|
|
|
|
';'.join(get[n][1](i, x) for i, x in enumerate(names)))
|
2019-08-08 18:35:13 +00:00
|
|
|
|
del fullName, firstThree, initial, number, islamicShort
|
2017-01-14 16:53:31 +00:00
|
|
|
|
|
2017-05-30 13:50:47 +00:00
|
|
|
|
@classmethod
|
2017-01-14 16:53:31 +00:00
|
|
|
|
def C(cls, calendars=('gregorian',),
|
2017-05-30 13:50:47 +00:00
|
|
|
|
days = ('Sunday', 'Monday', 'Tuesday', 'Wednesday',
|
2020-01-09 13:48:21 +00:00
|
|
|
|
'Thursday', 'Friday', 'Saturday'),
|
Add byte-based units to CLDR data
Scan CLDR for {,kilo,mega,giga,tera,peta,exa}byte forms and their IEC
equivalents, providing SI and IEC defaults when missing (which all of
IEC are) in addition to the usual numeric data. Extrapolate from any
present data (e.g. French's ko, Mo, Go, To imply Po, Eo and, for IEC,
Kio, Mio, etc.), since CLDR only goes up to tera. Propagate this data
to QLocale's database ready for use by QLocale::formattedDataSize().
Change-Id: Ie6ee978948c68be9f71ab784a128cbfae3d80ee1
Reviewed-by: Shawn Rutledge <shawn.rutledge@qt.io>
2017-05-30 12:55:33 +00:00
|
|
|
|
quantifiers=('k', 'M', 'G', 'T', 'P', 'E')):
|
2017-05-30 13:50:47 +00:00
|
|
|
|
"""Returns an object representing the C locale."""
|
2020-02-19 14:17:16 +00:00
|
|
|
|
return cls(cls.__monthNames(calendars),
|
2020-02-19 13:08:22 +00:00
|
|
|
|
language='C', language_code='0', languageEndonym='',
|
2017-05-30 13:50:47 +00:00
|
|
|
|
script='AnyScript', script_code='0',
|
2021-03-09 08:19:54 +00:00
|
|
|
|
country='AnyTerritory', country_code='0', countryEndonym='',
|
2020-01-17 10:00:24 +00:00
|
|
|
|
groupSizes=(3, 3, 1),
|
2017-05-30 13:50:47 +00:00
|
|
|
|
decimal='.', group=',', list=';', percent='%',
|
|
|
|
|
zero='0', minus='-', plus='+', exp='e',
|
|
|
|
|
quotationStart='"', quotationEnd='"',
|
|
|
|
|
alternateQuotationStart='\'', alternateQuotationEnd='\'',
|
|
|
|
|
listPatternPartStart='%1, %2',
|
|
|
|
|
listPatternPartMiddle='%1, %2',
|
|
|
|
|
listPatternPartEnd='%1, %2',
|
|
|
|
|
listPatternPartTwo='%1, %2',
|
Add byte-based units to CLDR data
Scan CLDR for {,kilo,mega,giga,tera,peta,exa}byte forms and their IEC
equivalents, providing SI and IEC defaults when missing (which all of
IEC are) in addition to the usual numeric data. Extrapolate from any
present data (e.g. French's ko, Mo, Go, To imply Po, Eo and, for IEC,
Kio, Mio, etc.), since CLDR only goes up to tera. Propagate this data
to QLocale's database ready for use by QLocale::formattedDataSize().
Change-Id: Ie6ee978948c68be9f71ab784a128cbfae3d80ee1
Reviewed-by: Shawn Rutledge <shawn.rutledge@qt.io>
2017-05-30 12:55:33 +00:00
|
|
|
|
byte_unit='bytes',
|
|
|
|
|
byte_si_quantified=';'.join(q + 'B' for q in quantifiers),
|
|
|
|
|
byte_iec_quantified=';'.join(q.upper() + 'iB' for q in quantifiers),
|
2017-05-30 13:50:47 +00:00
|
|
|
|
am='AM', pm='PM', firstDayOfWeek='mon',
|
|
|
|
|
weekendStart='sat', weekendEnd='sun',
|
|
|
|
|
longDateFormat='EEEE, d MMMM yyyy', shortDateFormat='d MMM yyyy',
|
|
|
|
|
longTimeFormat='HH:mm:ss z', shortTimeFormat='HH:mm:ss',
|
|
|
|
|
longDays=';'.join(days),
|
|
|
|
|
shortDays=';'.join(d[:3] for d in days),
|
2020-01-09 13:48:21 +00:00
|
|
|
|
narrowDays='7;1;2;3;4;5;6',
|
2017-05-30 13:50:47 +00:00
|
|
|
|
standaloneLongDays=';'.join(days),
|
|
|
|
|
standaloneShortDays=';'.join(d[:3] for d in days),
|
|
|
|
|
standaloneNarrowDays=';'.join(d[:1] for d in days),
|
|
|
|
|
currencyIsoCode='', currencySymbol='',
|
2020-01-09 13:48:21 +00:00
|
|
|
|
currencyDisplayName='',
|
2017-05-30 13:50:47 +00:00
|
|
|
|
currencyDigits=2, currencyRounding=1,
|
|
|
|
|
currencyFormat='%1%2', currencyNegativeFormat='')
|