1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014
|
"""
Reader for the Lexical Markup Framework (LMF) format.
"""
import re
import xml.etree.ElementTree as ET # for general XML parsing
import xml.parsers.expat # for fast scanning of Lexicon versions
from pathlib import Path
from typing import Any, BinaryIO, Literal, TextIO, TypedDict, cast
from xml.sax.saxutils import quoteattr
from wn._exceptions import Error
from wn._metadata import Metadata
from wn._types import AnyPath, VersionInfo
from wn._util import is_xml, version_info
from wn.util import ProgressBar, ProgressHandler
class LMFError(Error):
"""Raised on invalid LMF-XML documents."""
class LMFWarning(Warning):
"""Issued on non-conforming LFM values."""
SUPPORTED_VERSIONS = {"1.0", "1.1", "1.2", "1.3", "1.4"}
_XMLDECL = b'<?xml version="1.0" encoding="UTF-8"?>'
_XMLSPACEATTR = "http://www.w3.org/XML/1998/namespace space" # xml:space
_DOCTYPE = '<!DOCTYPE LexicalResource SYSTEM "{schema}">'
_SCHEMAS = {
"1.0": "https://globalwordnet.github.io/schemas/WN-LMF-1.0.dtd",
"1.1": "https://globalwordnet.github.io/schemas/WN-LMF-1.1.dtd",
"1.2": "https://globalwordnet.github.io/schemas/WN-LMF-1.2.dtd",
"1.3": "https://globalwordnet.github.io/schemas/WN-LMF-1.3.dtd",
"1.4": "https://globalwordnet.github.io/schemas/WN-LMF-1.4.dtd",
}
_DOCTYPES = {
_DOCTYPE.format(schema=schema): version for version, schema in _SCHEMAS.items()
}
_DOCTYPES.update(
(_DOCTYPE.format(schema=schema.replace("https://", "http://")), version)
for version, schema in _SCHEMAS.items()
)
_DC_URIS = {
"1.0": "http://purl.org/dc/elements/1.1/",
"1.1": "https://globalwordnet.github.io/schemas/dc/",
"1.2": "https://globalwordnet.github.io/schemas/dc/",
"1.3": "https://globalwordnet.github.io/schemas/dc/",
"1.4": "https://globalwordnet.github.io/schemas/dc/",
}
_DC_ATTRS = [
"contributor",
"coverage",
"creator",
"date",
"description",
"format",
"identifier",
"publisher",
"relation",
"rights",
"source",
"subject",
"title",
"type",
]
_NS_ATTRS = {
version: dict(
[(f"{uri} {attr}", attr) for attr in _DC_ATTRS]
+ [
("status", "status"),
("note", "note"),
("confidenceScore", "confidenceScore"),
]
)
for version, uri in _DC_URIS.items()
}
_LMF_1_0_ELEMS: dict[str, str] = {
"LexicalResource": "lexical-resource",
"Lexicon": "lexicons",
"LexicalEntry": "entries",
"Lemma": "lemma",
"Form": "forms",
"Tag": "tags",
"Sense": "senses",
"SenseRelation": "relations",
"Example": "examples",
"Count": "counts",
"SyntacticBehaviour": "frames",
"Synset": "synsets",
"Definition": "definitions",
"ILIDefinition": "ili_definition",
"SynsetRelation": "relations",
}
_LMF_1_1_ELEMS = dict(_LMF_1_0_ELEMS)
_LMF_1_1_ELEMS.update(
{
"Requires": "requires",
"Extends": "extends",
"Pronunciation": "pronunciations",
"LexiconExtension": "lexicons",
"ExternalLexicalEntry": "entries",
"ExternalLemma": "lemma",
"ExternalForm": "forms",
"ExternalSense": "senses",
"ExternalSynset": "synsets",
}
)
_VALID_ELEMS = {
"1.0": _LMF_1_0_ELEMS,
"1.1": _LMF_1_1_ELEMS,
"1.2": _LMF_1_1_ELEMS, # no new elements
"1.3": _LMF_1_1_ELEMS, # no new elements
"1.4": _LMF_1_1_ELEMS, # no new elements
}
_LIST_ELEMS = { # elements that collect into lists
"Lexicon",
"LexicalEntry",
"Form",
"Pronunciation",
"Tag",
"Sense",
"SenseRelation",
"Example",
"Count",
"Synset",
"Definition",
"SynsetRelation",
"SyntacticBehaviour",
"LexiconExtension",
"Requires",
"ExternalLexicalEntry",
"ExternalForm",
"ExternalSense",
"ExternalSynset",
}
_CDATA_ELEMS = { # elements with inner text
"Pronunciation",
"Tag",
"Definition",
"ILIDefinition",
"Example",
"Count",
}
_META_ELEMS = { # elements with metadata
"Lexicon",
"LexicalEntry",
"Sense",
"SenseRelation",
"Example",
"Count",
"Synset",
"Definition",
"ILIDefinition",
"SynsetRelation",
"LexiconExtension",
}
# WN-LMF Modeling ######################################################
# WN-LMF type-checking is handled via TypedDicts. Inheritance and
# `total=False` are used to model optionality. For more information
# about this tactic, see https://www.python.org/dev/peps/pep-0589/.
# From Python 3.11, we can use typing.Required / typing.NotRequired.
class _HasId(TypedDict):
id: str
class _HasILI(TypedDict):
ili: str
class _HasSynset(TypedDict):
synset: str
class _MaybeId(TypedDict, total=False):
id: str
class _HasText(TypedDict):
text: str
class _MaybeScript(TypedDict, total=False):
script: str
class _HasMeta(TypedDict, total=False):
meta: Metadata | None
class _External(TypedDict):
external: Literal[True]
class ILIDefinition(_HasText, _HasMeta): ...
class Definition(_HasText, _HasMeta, total=False):
language: str
sourceSense: str
class Relation(_HasMeta):
target: str
relType: str
class Example(_HasText, _HasMeta, total=False):
language: str
class Synset(_HasId, _HasILI, _HasMeta, total=False):
ili_definition: ILIDefinition
partOfSpeech: str
definitions: list[Definition]
relations: list[Relation]
examples: list[Example]
lexicalized: bool
members: list[str]
lexfile: str
class ExternalSynset(_HasId, _External, total=False):
definitions: list[Definition]
relations: list[Relation]
examples: list[Example]
class Count(_HasMeta):
value: int
class Sense(_HasId, _HasSynset, _HasMeta, total=False):
relations: list[Relation]
examples: list[Example]
counts: list[Count]
n: int
lexicalized: bool
adjposition: str
subcat: list[str]
class ExternalSense(_HasId, _External, total=False):
relations: list[Relation]
examples: list[Example]
counts: list[Count]
class Pronunciation(_HasText, total=False):
variety: str
notation: str
phonemic: bool
audio: str
class Tag(_HasText):
category: str
class _FormChildren(TypedDict, total=False):
pronunciations: list[Pronunciation]
tags: list[Tag]
class Lemma(_MaybeScript, _FormChildren):
writtenForm: str
partOfSpeech: str
class ExternalLemma(_FormChildren, _External): ...
class Form(_MaybeId, _MaybeScript, _FormChildren):
writtenForm: str
class ExternalForm(_HasId, _FormChildren, _External): ...
class _SyntacticBehaviourBase(_MaybeId):
subcategorizationFrame: str
class SyntacticBehaviour(_SyntacticBehaviourBase, total=False):
senses: list[str]
class _LexicalEntryBase(_HasId, _HasMeta, total=False):
index: str
forms: list[Form]
senses: list[Sense]
frames: list[SyntacticBehaviour]
class LexicalEntry(_LexicalEntryBase):
lemma: Lemma
class ExternalLexicalEntry(_HasId, _External, total=False):
lemma: ExternalLemma | None
forms: list[Form | ExternalForm]
senses: list[Sense | ExternalSense]
class LexiconSpecifier(_HasId): # public but not an LMF entry
version: str
class Dependency(LexiconSpecifier, total=False):
url: str | None
class _LexiconRequired(LexiconSpecifier, _HasMeta):
label: str
language: str
email: str
license: str
class _LexiconBase(_LexiconRequired, total=False):
url: str
citation: str
logo: str
class Lexicon(_LexiconBase, total=False):
requires: list[Dependency]
entries: list[LexicalEntry]
synsets: list[Synset]
frames: list[SyntacticBehaviour]
class _LexiconExtensionBase(_LexiconBase):
extends: Dependency
class LexiconExtension(_LexiconExtensionBase, total=False):
requires: list[Dependency]
entries: list[LexicalEntry | ExternalLexicalEntry]
synsets: list[Synset | ExternalSynset]
frames: list[SyntacticBehaviour]
class LexicalResource(TypedDict):
lmf_version: str
lexicons: list[Lexicon | LexiconExtension]
# Reading ##############################################################
def is_lmf(source: AnyPath) -> bool:
"""Return True if *source* is a WN-LMF file."""
source = Path(source).expanduser()
if not is_xml(source):
return False
with source.open(mode="rb") as fh:
try:
_read_header(fh)
except LMFError:
return False
return True
def _read_header(fh: BinaryIO) -> str:
xmldecl = fh.readline().rstrip().replace(b"'", b'"')
doctype = fh.readline().rstrip().replace(b"'", b'"')
if xmldecl != _XMLDECL:
raise LMFError("invalid or missing XML declaration")
# the XML declaration states that the file is UTF-8 (other
# encodings are not allowed)
doctype_decoded = doctype.decode("utf-8")
if doctype_decoded not in _DOCTYPES:
raise LMFError("invalid or missing DOCTYPE declaration")
return _DOCTYPES[doctype_decoded]
class ScanInfo(LexiconSpecifier):
label: str | None
extends: LexiconSpecifier | None
def scan_lexicons(source: AnyPath) -> list[ScanInfo]:
"""Scan *source* and return only the top-level lexicon info.
The returned info is a dictionary containing the `id`, `version`,
and `label` attributes from a lexicon. If the Lexicon is an
extension, an `extends` key maps to a dictionary with the `id` and
`version` of the base lexicon, otherwise it maps to
:python:`None`.
"""
source = Path(source).expanduser()
infos: list[ScanInfo] = []
lex_re = re.compile(b"<(Lexicon|LexiconExtension|Extends)\\b([^>]*)>", flags=re.M)
attr_re = re.compile(b"""\\b(id|ref|version|label)=["']([^"']+)["']""", flags=re.M)
with open(source, "rb") as fh:
for m in lex_re.finditer(fh.read()):
lextype, remainder = m.groups()
attrs = {
_m.group(1).decode("utf-8"): _m.group(2).decode("utf-8")
for _m in attr_re.finditer(remainder)
}
info: ScanInfo = {
"id": attrs.get("id", attrs.get("ref", "(unknown id)")),
"version": attrs.get("version", "(unknown version)"),
"label": attrs.get("label"),
"extends": None,
}
if info["id"] is None or info["version"] is None:
raise LMFError(f"<{lextype.decode('utf-8')}> missing id or version")
if lextype != b"Extends":
infos.append(info)
elif len(infos) > 0:
infos[-1]["extends"] = {"id": info["id"], "version": info["version"]}
else:
raise LMFError("invalid use of <Extends> in WN-LMF file")
return infos
_Elem = dict[str, Any] # basic type for the loaded XML data
def load(
source: AnyPath, progress_handler: type[ProgressHandler] | None = ProgressBar
) -> LexicalResource:
"""Load wordnets encoded in the WN-LMF format.
Args:
source: path to a WN-LMF file
"""
source = Path(source).expanduser()
if progress_handler is None:
progress_handler = ProgressHandler
version, num_elements = _quick_scan(source)
progress = progress_handler(
message="Read", total=num_elements, refresh_interval=10000
)
root: dict[str, _Elem] = {}
parser = _make_parser(root, version, progress)
with open(source, "rb") as fh:
try:
parser.ParseFile(fh)
except xml.parsers.expat.ExpatError as exc:
raise LMFError("invalid or ill-formed XML") from exc
progress.close()
resource: LexicalResource = {
"lmf_version": version,
"lexicons": [
_validate(lex) for lex in root["lexical-resource"].get("lexicons", [])
],
}
return resource
def _quick_scan(source: Path) -> tuple[str, int]:
with source.open("rb") as fh:
version = _read_header(fh)
# _read_header() only reads the first 2 lines
remainder = fh.read()
num_elements = remainder.count(b"</") + remainder.count(b"/>")
return version, num_elements
def _make_parser(root, version, progress): # noqa: C901
stack = [root]
ELEMS = _VALID_ELEMS[version]
NS_ATTRS = _NS_ATTRS[version]
CDATA_ELEMS = _CDATA_ELEMS & set(ELEMS)
LIST_ELEMS = _LIST_ELEMS & set(ELEMS)
p = xml.parsers.expat.ParserCreate(namespace_separator=" ")
def start(name, attrs):
if name in _META_ELEMS:
meta = {}
for attr in list(attrs):
if attr in NS_ATTRS:
meta[NS_ATTRS[attr]] = attrs.pop(attr)
attrs["meta"] = meta or None
if name in CDATA_ELEMS:
attrs["text"] = ""
if name.startswith("External"):
attrs["external"] = True
parent = stack[-1]
key = ELEMS.get(name)
if name in LIST_ELEMS:
parent.setdefault(key, []).append(attrs)
elif key is None or key in parent:
raise _unexpected(name, p)
else:
parent[key] = attrs
stack.append(attrs)
def char_data(data):
parent = stack[-1]
if "text" in parent:
# sometimes the buffering occurs in the middle of text, so
# append the current data, don't just assign it
parent["text"] += data
def end(name):
elem = stack.pop()
# normalize whitespace unless xml:space=preserve
if "text" in elem and elem.get(_XMLSPACEATTR, "") != "preserve":
elem["text"] = " ".join(elem["text"].split())
progress.update(force=(name == "LexicalResource"))
p.StartElementHandler = start
p.EndElementHandler = end
p.CharacterDataHandler = char_data
return p
def _unexpected(name: str, p: xml.parsers.expat.XMLParserType) -> LMFError:
return LMFError(f"unexpected element at line {p.CurrentLineNumber}: {name}")
# Validation ###########################################################
def _validate(elem: _Elem) -> Lexicon | LexiconExtension:
ext = elem.get("extends")
if ext:
if "ref" in ext:
ext["id"] = ext.pop("ref") # normalize ref to id internally
assert "id" in ext
assert "version" in ext
_validate_lexicon(elem, True)
return cast("LexiconExtension", elem)
else:
_validate_lexicon(elem, False)
return cast("Lexicon", elem)
def _validate_lexicon(elem: _Elem, extension: bool) -> None:
for attr in "id", "version", "label", "language", "email", "license":
assert attr in elem, f"<Lexicon> missing required attribute: {attr}"
for dep in elem.get("requires", []):
if "ref" in dep:
dep["id"] = dep.pop("ref") # normalize ref to id internally
assert "id" in dep
assert "version" in dep
_validate_entries(elem.get("entries", []), extension)
_validate_synsets(elem.get("synsets", []), extension)
_validate_frames(elem.get("frames", []))
def _validate_entries(elems: list[_Elem], extension: bool) -> None:
for elem in elems:
assert "id" in elem
if not extension:
assert not elem.get("external")
lemma = elem.get("lemma")
if not elem.get("external"):
assert lemma is not None
elem.setdefault("meta")
# lemma and forms are the same except for partOfSpeech and id
if lemma is not None and not lemma.get("external"):
assert "partOfSpeech" in lemma
for form in elem.get("forms", []):
assert not form.get("external") or form.get("id")
_validate_forms(([lemma] if lemma else []) + elem.get("forms", []), extension)
_validate_senses(elem.get("senses", []), extension)
_validate_frames(elem.get("frames", []))
def _validate_forms(elems: list[_Elem], extension: bool) -> None:
for elem in elems:
if not extension:
assert not elem.get("external")
if not elem.get("external"):
assert "writtenForm" in elem
for pron in elem.get("pronunciations", []):
pron.setdefault("text", "")
if pron.get("phonemic"):
pron["phonemic"] = pron["phonemic"] != "false"
for tag in elem.get("tags", []):
tag.setdefault("text", "")
assert "category" in tag
def _validate_senses(elems: list[_Elem], extension: bool) -> None:
for elem in elems:
assert "id" in elem
if not extension:
assert not elem.get("external")
if not elem.get("external"):
assert "synset" in elem
elem.setdefault("meta")
for rel in elem.get("relations", []):
assert "target" in rel
assert "relType" in rel
rel.setdefault("meta")
for ex in elem.get("examples", []):
ex.setdefault("text", "")
ex.setdefault("meta")
for cnt in elem.get("counts", []):
assert "text" in cnt
cnt["value"] = int(cnt.pop("text"))
cnt.setdefault("meta")
if elem.get("lexicalized"):
elem["lexicalized"] = elem["lexicalized"] != "false"
if elem.get("subcat"):
elem["subcat"] = elem["subcat"].split()
if elem.get("n"):
elem["n"] = int(elem["n"])
def _validate_frames(elems: list[_Elem]) -> None:
for elem in elems:
assert "subcategorizationFrame" in elem
if elem.get("senses"):
elem["senses"] = elem["senses"].split()
def _validate_synsets(elems: list[_Elem], extension: bool) -> None:
for elem in elems:
assert "id" in elem
if not extension:
assert not elem.get("external")
if not elem.get("external"):
assert "ili" in elem
elem.setdefault("meta")
for defn in elem.get("definitions", []):
defn.setdefault("text", "")
defn.setdefault("meta")
for rel in elem.get("relations", []):
assert "target" in rel
assert "relType" in rel
rel.setdefault("meta")
for ex in elem.get("examples", []):
ex.setdefault("text", "")
ex.setdefault("meta")
if elem.get("lexicalized"):
elem["lexicalized"] = elem["lexicalized"] != "false"
if elem.get("members"):
elem["members"] = elem["members"].split()
def _validate_metadata(elem: _Elem) -> None:
if elem.get("confidenceScore"):
elem["confidenceScore"] = float(elem["confidenceScore"])
# Serialization ########################################################
def dump(resource: LexicalResource, destination: AnyPath) -> None:
"""Write wordnets in the WN-LMF format.
Args:
lexicons: a list of :class:`Lexicon` objects
"""
version = resource["lmf_version"]
if version not in SUPPORTED_VERSIONS:
raise LMFError(f"invalid version: {version}")
destination = Path(destination).expanduser()
doctype = _DOCTYPE.format(schema=_SCHEMAS[version])
dc_uri = _DC_URIS[version]
_version = version_info(version)
with destination.open("wt", encoding="utf-8") as out:
print(_XMLDECL.decode("utf-8"), file=out)
print(doctype, file=out)
print(f'<LexicalResource xmlns:dc="{dc_uri}">', file=out)
for lexicon in resource["lexicons"]:
_dump_lexicon(lexicon, out, _version)
print("</LexicalResource>", file=out)
def _dump_lexicon(
lexicon: Lexicon | LexiconExtension, out: TextIO, version: VersionInfo
) -> None:
lexicontype = "LexiconExtension" if lexicon.get("extends") else "Lexicon"
attrib = _build_lexicon_attrib(lexicon, version)
attrdelim = "\n" + (" " * len(f" <{lexicontype} "))
attrs = attrdelim.join(
f"{attr}={quoteattr(str(val))}" for attr, val in attrib.items()
)
print(f" <{lexicontype} {attrs}>", file=out)
if version >= (1, 1):
if lexicontype == "LexiconExtension":
assert lexicon.get("extends")
lexicon = cast("LexiconExtension", lexicon)
_dump_dependency(lexicon["extends"], "Extends", out, version)
for req in lexicon.get("requires", []):
_dump_dependency(req, "Requires", out, version)
for entry in lexicon.get("entries", []):
_dump_lexical_entry(entry, out, version)
for synset in lexicon.get("synsets", []):
_dump_synset(synset, out, version)
if version >= (1, 1):
for sb in lexicon.get("frames", []):
_dump_syntactic_behaviour(sb, out, version)
print(f" </{lexicontype}>", file=out)
def _build_lexicon_attrib(
lexicon: Lexicon | LexiconExtension, version: VersionInfo
) -> dict[str, str]:
attrib = {
"id": lexicon["id"],
"label": lexicon["label"],
"language": lexicon["language"],
"email": lexicon["email"],
"license": lexicon["license"],
"version": lexicon["version"],
}
if lexicon.get("url"):
attrib["url"] = lexicon["url"]
if lexicon.get("citation"):
attrib["citation"] = lexicon["citation"]
if version >= (1, 1) and lexicon.get("logo"):
attrib["logo"] = lexicon["logo"]
attrib.update(_meta_dict(lexicon.get("meta")))
return attrib
def _dump_dependency(
dep: Dependency, deptype: str, out: TextIO, version: VersionInfo
) -> None:
id_ref_key = "id" if version < (1, 4) else "ref"
attrib = {id_ref_key: dep["id"], "version": dep["version"]}
if (url := dep.get("url")) is not None:
attrib["url"] = url
elem = ET.Element(deptype, attrib=attrib)
print(_tostring(elem, 2), file=out)
def _dump_lexical_entry(
entry: LexicalEntry | ExternalLexicalEntry,
out: TextIO,
version: VersionInfo,
) -> None:
frames = []
attrib = {"id": entry["id"]}
if entry.get("external", False):
elem = ET.Element("ExternalLexicalEntry", attrib=attrib)
if (lemma := entry.get("lemma")) is not None:
assert lemma.get("external", False)
elem.append(_build_lemma(lemma, version))
else:
entry = cast("LexicalEntry", entry)
if version >= (1, 4) and entry.get("index"):
attrib["index"] = entry["index"]
attrib.update(_meta_dict(entry.get("meta")))
elem = ET.Element("LexicalEntry", attrib=attrib)
elem.append(_build_lemma(entry["lemma"], version))
if version < (1, 1):
frames = [
_build_syntactic_behaviour(sb, version)
for sb in entry.get("frames", [])
]
elem.extend([_build_form(form, version) for form in entry.get("forms", [])])
elem.extend([_build_sense(sense, version) for sense in entry.get("senses", [])])
elem.extend(frames)
print(_tostring(elem, 2), file=out)
def _build_lemma(lemma: Lemma | ExternalLemma, version: VersionInfo) -> ET.Element:
if lemma.get("external", False):
elem = ET.Element("ExternalLemma")
else:
lemma = cast("Lemma", lemma)
attrib = {"writtenForm": lemma["writtenForm"]}
if lemma.get("script"):
attrib["script"] = lemma["script"]
attrib["partOfSpeech"] = lemma["partOfSpeech"]
elem = ET.Element("Lemma", attrib=attrib)
if version >= (1, 1):
for pron in lemma.get("pronunciations", []):
elem.append(_build_pronunciation(pron))
for tag in lemma.get("tags", []):
elem.append(_build_tag(tag))
return elem
def _build_form(form: Form | ExternalForm, version: VersionInfo) -> ET.Element:
attrib = {}
if version >= (1, 1) and form.get("id"):
attrib["id"] = form["id"]
if form.get("external", False):
elem = ET.Element("ExternalForm", attrib=attrib)
else:
form = cast("Form", form)
attrib["writtenForm"] = form["writtenForm"]
if form.get("script"):
attrib["script"] = form["script"]
elem = ET.Element("Form", attrib=attrib)
if version >= (1, 1):
for pron in form.get("pronunciations", []):
elem.append(_build_pronunciation(pron))
for tag in form.get("tags", []):
elem.append(_build_tag(tag))
return elem
def _build_pronunciation(pron: Pronunciation) -> ET.Element:
attrib = {}
if pron.get("variety"):
attrib["variety"] = pron["variety"]
if pron.get("notation"):
attrib["notation"] = pron["notation"]
if not pron.get("phonemic", True):
attrib["phonemic"] = "false"
if pron.get("audio"):
attrib["audio"] = pron["audio"]
elem = ET.Element("Pronunciation", attrib=attrib)
elem.text = pron["text"]
return elem
def _build_tag(tag: Tag) -> ET.Element:
elem = ET.Element("Tag", category=tag["category"])
elem.text = tag["text"]
return elem
def _build_sense(
sense: Sense | ExternalSense,
version: VersionInfo,
) -> ET.Element:
attrib = {"id": sense["id"]}
if sense.get("external"):
elem = ET.Element("ExternalSense", attrib=attrib)
else:
sense = cast("Sense", sense)
attrib["synset"] = sense["synset"]
if version >= (1, 4) and sense.get("n"):
attrib["n"] = str(sense["n"])
attrib.update(_meta_dict(sense.get("meta")))
if not sense.get("lexicalized", True):
attrib["lexicalized"] = "false"
if sense.get("adjposition"):
attrib["adjposition"] = sense["adjposition"]
if version >= (1, 1) and sense.get("subcat"):
attrib["subcat"] = " ".join(sense["subcat"])
elem = ET.Element("Sense", attrib=attrib)
elem.extend(
[_build_relation(rel, "SenseRelation") for rel in sense.get("relations", [])]
)
elem.extend([_build_example(ex) for ex in sense.get("examples", [])])
elem.extend([_build_count(cnt) for cnt in sense.get("counts", [])])
return elem
def _build_example(example: Example) -> ET.Element:
attrib: dict[str, str] = {}
if example.get("language"):
attrib["language"] = example["language"]
attrib.update(_meta_dict(example.get("meta")))
elem = ET.Element("Example", attrib=attrib)
elem.text = example["text"]
return elem
def _build_count(count: Count) -> ET.Element:
elem = ET.Element("Count", attrib=_meta_dict(count.get("meta")))
elem.text = str(count["value"])
return elem
def _dump_synset(
synset: Synset | ExternalSynset, out: TextIO, version: VersionInfo
) -> None:
attrib: dict[str, str] = {"id": synset["id"]}
if synset.get("external", False):
elem = ET.Element("ExternalSynset", attrib=attrib)
elem.extend([_build_definition(defn) for defn in synset.get("definitions", [])])
else:
synset = cast("Synset", synset)
attrib["ili"] = synset["ili"]
if synset.get("partOfSpeech"):
attrib["partOfSpeech"] = synset["partOfSpeech"]
if not synset.get("lexicalized", True):
attrib["lexicalized"] = "false"
if version >= (1, 1):
if synset.get("members"):
attrib["members"] = " ".join(synset["members"])
if synset.get("lexfile"):
attrib["lexfile"] = synset["lexfile"]
attrib.update(_meta_dict(synset.get("meta")))
elem = ET.Element("Synset", attrib=attrib)
elem.extend([_build_definition(defn) for defn in synset.get("definitions", [])])
if synset.get("ili_definition"):
elem.append(_build_ili_definition(synset["ili_definition"]))
elem.extend(
[_build_relation(rel, "SynsetRelation") for rel in synset.get("relations", [])]
)
elem.extend([_build_example(ex) for ex in synset.get("examples", [])])
print(_tostring(elem, 2), file=out)
def _build_definition(definition: Definition) -> ET.Element:
attrib = {}
if definition.get("language"):
attrib["language"] = definition["language"]
if definition.get("sourceSense"):
attrib["sourceSense"] = definition["sourceSense"]
attrib.update(_meta_dict(definition.get("meta")))
elem = ET.Element("Definition", attrib=attrib)
elem.text = definition["text"]
return elem
def _build_ili_definition(ili_definition: ILIDefinition) -> ET.Element:
elem = ET.Element("ILIDefinition", attrib=_meta_dict(ili_definition.get("meta")))
elem.text = ili_definition["text"]
return elem
def _build_relation(relation: Relation, elemtype: str) -> ET.Element:
attrib = {"target": relation["target"], "relType": relation["relType"]}
attrib.update(_meta_dict(relation.get("meta")))
return ET.Element(elemtype, attrib=attrib)
def _dump_syntactic_behaviour(
syntactic_behaviour: SyntacticBehaviour, out: TextIO, version: VersionInfo
) -> None:
elem = _build_syntactic_behaviour(syntactic_behaviour, version)
print(_tostring(elem, 2), file=out)
def _build_syntactic_behaviour(
syntactic_behaviour: SyntacticBehaviour, version: VersionInfo
) -> ET.Element:
attrib = {"subcategorizationFrame": syntactic_behaviour["subcategorizationFrame"]}
if version >= (1, 1) and syntactic_behaviour.get("id"):
attrib["id"] = syntactic_behaviour["id"]
elif version < (1, 1) and syntactic_behaviour.get("senses"):
attrib["senses"] = " ".join(syntactic_behaviour["senses"])
return ET.Element("SyntacticBehaviour", attrib=attrib)
def _tostring(elem: ET.Element, level: int, short_empty_elements: bool = True) -> str:
_indent(elem, level)
return (" " * level) + ET.tostring(
elem, encoding="unicode", short_empty_elements=short_empty_elements
)
def _indent(elem: ET.Element, level: int) -> None:
self_indent = "\n" + " " * level
child_indent = self_indent + " "
if len(elem):
if not elem.text or not elem.text.strip():
elem.text = child_indent
for child in elem[:-1]:
_indent(child, level + 1)
child.tail = child_indent
_indent(elem[-1], level + 1)
elem[-1].tail = self_indent
def _meta_dict(meta: Metadata | None) -> dict[str, str]:
if meta is not None:
# Literal keys are required for typing purposes, so first
# construct the dict and then remove those that weren't specified.
d = {
"dc:contributor": meta.get("contributor", ""),
"dc:coverage": meta.get("coverage", ""),
"dc:creator": meta.get("creator", ""),
"dc:date": meta.get("date", ""),
"dc:description": meta.get("description", ""),
"dc:format": meta.get("format", ""),
"dc:identifier": meta.get("identifier", ""),
"dc:publisher": meta.get("publisher", ""),
"dc:relation": meta.get("relation", ""),
"dc:rights": meta.get("rights", ""),
"dc:source": meta.get("source", ""),
"dc:subject": meta.get("subject", ""),
"dc:title": meta.get("title", ""),
"dc:type": meta.get("type", ""),
"status": meta.get("status", ""),
"note": meta.get("note", ""),
}
d = {key: val for key, val in d.items() if val}
# this one requires a conversion, so do it separately
if "confidenceScore" in meta:
d["confidenceScore"] = str(meta["confidenceScore"])
else:
d = {}
return d
|