content
stringlengths
1
103k
path
stringlengths
8
216
filename
stringlengths
2
179
language
stringclasses
15 values
size_bytes
int64
2
189k
quality_score
float64
0.5
0.95
complexity
float64
0
1
documentation_ratio
float64
0
1
repository
stringclasses
5 values
stars
int64
0
1k
created_date
stringdate
2023-07-10 19:21:08
2025-07-09 19:11:45
license
stringclasses
4 values
is_test
bool
2 classes
file_hash
stringlengths
32
32
import struct, warnings\n\ntry:\n import lz4\nexcept ImportError:\n lz4 = None\nelse:\n import lz4.block\n\n# old scheme for VERSION < 0.9 otherwise use lz4.block\n\n\ndef decompress(data):\n (compression,) = struct.unpack(">L", data[4:8])\n scheme = compression >> 27\n size = compression & 0x07FFFFFF\n if scheme == 0:\n pass\n elif scheme == 1 and lz4:\n res = lz4.block.decompress(struct.pack("<L", size) + data[8:])\n if len(res) != size:\n warnings.warn("Table decompression failed.")\n else:\n data = res\n else:\n warnings.warn("Table is compressed with an unsupported compression scheme")\n return (data, scheme)\n\n\ndef compress(scheme, data):\n hdr = data[:4] + struct.pack(">L", (scheme << 27) + (len(data) & 0x07FFFFFF))\n if scheme == 0:\n return data\n elif scheme == 1 and lz4:\n res = lz4.block.compress(\n data, mode="high_compression", compression=16, store_size=False\n )\n return hdr + res\n else:\n warnings.warn("Table failed to compress by unsupported compression scheme")\n return data\n\n\ndef _entries(attrs, sameval):\n ak = 0\n vals = []\n lastv = 0\n for k, v in attrs:\n if len(vals) and (k != ak + 1 or (sameval and v != lastv)):\n yield (ak - len(vals) + 1, len(vals), vals)\n vals = []\n ak = k\n vals.append(v)\n lastv = v\n yield (ak - len(vals) + 1, len(vals), vals)\n\n\ndef entries(attributes, sameval=False):\n g = _entries(sorted(attributes.items(), key=lambda x: int(x[0])), sameval)\n return g\n\n\ndef bininfo(num, size=1):\n if num == 0:\n return struct.pack(">4H", 0, 0, 0, 0)\n srange = 1\n select = 0\n while srange <= num:\n srange *= 2\n select += 1\n select -= 1\n srange //= 2\n srange *= size\n shift = num * size - srange\n return struct.pack(">4H", num, srange, select, shift)\n\n\ndef num2tag(n):\n if n < 0x200000:\n return str(n)\n else:\n return (\n struct.unpack("4s", struct.pack(">L", n))[0].replace(b"\000", b"").decode()\n )\n\n\ndef tag2num(n):\n try:\n return int(n)\n except ValueError:\n n = (n + " ")[:4]\n return struct.unpack(">L", n.encode("ascii"))[0]\n
.venv\Lib\site-packages\fontTools\ttLib\tables\grUtils.py
grUtils.py
Python
2,362
0.95
0.195652
0.013158
react-lib
817
2024-07-16T00:04:04.705687
GPL-3.0
false
e0dea9938b1a7b044abb45c9ebec4623
from ._g_v_a_r import table__g_v_a_r\n\n\nclass table_G_V_A_R_(table__g_v_a_r):\n gid_size = 3\n
.venv\Lib\site-packages\fontTools\ttLib\tables\G_V_A_R_.py
G_V_A_R_.py
Python
99
0.65
0.2
0
awesome-app
377
2024-05-15T09:30:24.366605
GPL-3.0
false
1d27684c7b1a9d43c4f358b492b93890
"""Methods for traversing trees of otData-driven OpenType tables."""\n\nfrom collections import deque\nfrom typing import Callable, Deque, Iterable, List, Optional, Tuple\nfrom .otBase import BaseTable\n\n\n__all__ = [\n "bfs_base_table",\n "dfs_base_table",\n "SubTablePath",\n]\n\n\nclass SubTablePath(Tuple[BaseTable.SubTableEntry, ...]):\n def __str__(self) -> str:\n path_parts = []\n for entry in self:\n path_part = entry.name\n if entry.index is not None:\n path_part += f"[{entry.index}]"\n path_parts.append(path_part)\n return ".".join(path_parts)\n\n\n# Given f(current frontier, new entries) add new entries to frontier\nAddToFrontierFn = Callable[[Deque[SubTablePath], List[SubTablePath]], None]\n\n\ndef dfs_base_table(\n root: BaseTable,\n root_accessor: Optional[str] = None,\n skip_root: bool = False,\n predicate: Optional[Callable[[SubTablePath], bool]] = None,\n iter_subtables_fn: Optional[\n Callable[[BaseTable], Iterable[BaseTable.SubTableEntry]]\n ] = None,\n) -> Iterable[SubTablePath]:\n """Depth-first search tree of BaseTables.\n\n Args:\n root (BaseTable): the root of the tree.\n root_accessor (Optional[str]): attribute name for the root table, if any (mostly\n useful for debugging).\n skip_root (Optional[bool]): if True, the root itself is not visited, only its\n children.\n predicate (Optional[Callable[[SubTablePath], bool]]): function to filter out\n paths. If True, the path is yielded and its subtables are added to the\n queue. If False, the path is skipped and its subtables are not traversed.\n iter_subtables_fn (Optional[Callable[[BaseTable], Iterable[BaseTable.SubTableEntry]]]):\n function to iterate over subtables of a table. If None, the default\n BaseTable.iterSubTables() is used.\n\n Yields:\n SubTablePath: tuples of BaseTable.SubTableEntry(name, table, index) namedtuples\n for each of the nodes in the tree. The last entry in a path is the current\n subtable, whereas preceding ones refer to its parent tables all the way up to\n the root.\n """\n yield from _traverse_ot_data(\n root,\n root_accessor,\n skip_root,\n predicate,\n lambda frontier, new: frontier.extendleft(reversed(new)),\n iter_subtables_fn,\n )\n\n\ndef bfs_base_table(\n root: BaseTable,\n root_accessor: Optional[str] = None,\n skip_root: bool = False,\n predicate: Optional[Callable[[SubTablePath], bool]] = None,\n iter_subtables_fn: Optional[\n Callable[[BaseTable], Iterable[BaseTable.SubTableEntry]]\n ] = None,\n) -> Iterable[SubTablePath]:\n """Breadth-first search tree of BaseTables.\n\n Args:\n root\n the root of the tree.\n root_accessor (Optional[str]): attribute name for the root table, if any (mostly\n useful for debugging).\n skip_root (Optional[bool]): if True, the root itself is not visited, only its\n children.\n predicate (Optional[Callable[[SubTablePath], bool]]): function to filter out\n paths. If True, the path is yielded and its subtables are added to the\n queue. If False, the path is skipped and its subtables are not traversed.\n iter_subtables_fn (Optional[Callable[[BaseTable], Iterable[BaseTable.SubTableEntry]]]):\n function to iterate over subtables of a table. If None, the default\n BaseTable.iterSubTables() is used.\n\n Yields:\n SubTablePath: tuples of BaseTable.SubTableEntry(name, table, index) namedtuples\n for each of the nodes in the tree. The last entry in a path is the current\n subtable, whereas preceding ones refer to its parent tables all the way up to\n the root.\n """\n yield from _traverse_ot_data(\n root,\n root_accessor,\n skip_root,\n predicate,\n lambda frontier, new: frontier.extend(new),\n iter_subtables_fn,\n )\n\n\ndef _traverse_ot_data(\n root: BaseTable,\n root_accessor: Optional[str],\n skip_root: bool,\n predicate: Optional[Callable[[SubTablePath], bool]],\n add_to_frontier_fn: AddToFrontierFn,\n iter_subtables_fn: Optional[\n Callable[[BaseTable], Iterable[BaseTable.SubTableEntry]]\n ] = None,\n) -> Iterable[SubTablePath]:\n # no visited because general otData cannot cycle (forward-offset only)\n if root_accessor is None:\n root_accessor = type(root).__name__\n\n if predicate is None:\n\n def predicate(path):\n return True\n\n if iter_subtables_fn is None:\n\n def iter_subtables_fn(table):\n return table.iterSubTables()\n\n frontier: Deque[SubTablePath] = deque()\n\n root_entry = BaseTable.SubTableEntry(root_accessor, root)\n if not skip_root:\n frontier.append((root_entry,))\n else:\n add_to_frontier_fn(\n frontier,\n [\n (root_entry, subtable_entry)\n for subtable_entry in iter_subtables_fn(root)\n ],\n )\n\n while frontier:\n # path is (value, attr_name) tuples. attr_name is attr of parent to get value\n path = frontier.popleft()\n current = path[-1].value\n\n if not predicate(path):\n continue\n\n yield SubTablePath(path)\n\n new_entries = [\n path + (subtable_entry,) for subtable_entry in iter_subtables_fn(current)\n ]\n\n add_to_frontier_fn(frontier, new_entries)\n
.venv\Lib\site-packages\fontTools\ttLib\tables\otTraverse.py
otTraverse.py
Python
5,681
0.95
0.196319
0.022222
react-lib
908
2024-06-23T03:09:46.325068
MIT
false
344e3d9950400099f734b508a6edf438
This folder is a subpackage of ttLib. Each module here is a \nspecialized TT/OT table converter: they can convert raw data \nto Python objects and vice versa. Usually you don't need to \nuse the modules directly: they are imported and used \nautomatically when needed by ttLib.\n\nIf you are writing you own table converter the following is \nimportant.\n\nThe modules here have pretty strange names: this is due to the \nfact that we need to map TT table tags (which are case sensitive) \nto filenames (which on Mac and Win aren't case sensitive) as well \nas to Python identifiers. The latter means it can only contain \n[A-Za-z0-9_] and cannot start with a number. \n\nttLib provides functions to expand a tag into the format used here:\n\n>>> from fontTools import ttLib\n>>> ttLib.tagToIdentifier("FOO ")\n'F_O_O_'\n>>> ttLib.tagToIdentifier("cvt ")\n'_c_v_t'\n>>> ttLib.tagToIdentifier("OS/2")\n'O_S_2f_2'\n>>> ttLib.tagToIdentifier("glyf")\n'_g_l_y_f'\n>>> \n\nAnd vice versa:\n\n>>> ttLib.identifierToTag("F_O_O_")\n'FOO '\n>>> ttLib.identifierToTag("_c_v_t")\n'cvt '\n>>> ttLib.identifierToTag("O_S_2f_2")\n'OS/2'\n>>> ttLib.identifierToTag("_g_l_y_f")\n'glyf'\n>>> \n\nEg. the 'glyf' table converter lives in a Python file called:\n\n _g_l_y_f.py\n\nThe converter itself is a class, named "table_" + expandedtag. Eg:\n\n class table__g_l_y_f:\n etc.\n\nNote that if you _do_ need to use such modules or classes manually, \nthere are two convenient API functions that let you find them by tag:\n\n>>> ttLib.getTableModule('glyf')\n<module 'ttLib.tables._g_l_y_f'>\n>>> ttLib.getTableClass('glyf')\n<class ttLib.tables._g_l_y_f.table__g_l_y_f at 645f400>\n>>> \n\nYou must subclass from DefaultTable.DefaultTable. It provides some default\nbehavior, as well as a constructor method (__init__) that you don't need to \noverride.\n\nYour converter should minimally provide two methods:\n\nclass table_F_O_O_(DefaultTable.DefaultTable): # converter for table 'FOO '\n \n def decompile(self, data, ttFont):\n # 'data' is the raw table data. Unpack it into a\n # Python data structure.\n # 'ttFont' is a ttLib.TTfile instance, enabling you to\n # refer to other tables. Do ***not*** keep a reference to\n # it: it will cause a circular reference (ttFont saves \n # a reference to us), and that means we'll be leaking \n # memory. If you need to use it in other methods, just \n # pass it around as a method argument.\n \n def compile(self, ttFont):\n # Return the raw data, as converted from the Python\n # data structure. \n # Again, 'ttFont' is there so you can access other tables.\n # Same warning applies.\n\nIf you want to support TTX import/export as well, you need to provide two\nadditional methods:\n\n def toXML(self, writer, ttFont):\n # XXX\n \n def fromXML(self, (name, attrs, content), ttFont):\n # XXX\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\table_API_readme.txt
table_API_readme.txt
Other
2,839
0.95
0.10989
0.2
awesome-app
502
2023-08-14T08:26:18.772815
Apache-2.0
false
84173ccc4db79684e24f82a4baefa482
"""ttLib.tables.ttProgram.py -- Assembler/disassembler for TrueType bytecode programs."""\n\nfrom __future__ import annotations\n\nfrom fontTools.misc.textTools import num2binary, binary2num, readHex, strjoin\nimport array\nfrom io import StringIO\nfrom typing import List\nimport re\nimport logging\n\n\nlog = logging.getLogger(__name__)\n\n# fmt: off\n\n# first, the list of instructions that eat bytes or words from the instruction stream\n\nstreamInstructions = [\n#\n# opcode mnemonic argBits descriptive name pops pushes eats from instruction stream pushes\n#\n (0x40, 'NPUSHB', 0, 'PushNBytes', 0, -1), # n, b1, b2,...bn b1,b2...bn\n (0x41, 'NPUSHW', 0, 'PushNWords', 0, -1), # n, w1, w2,...w w1,w2...wn\n (0xb0, 'PUSHB', 3, 'PushBytes', 0, -1), # b0, b1,..bn b0, b1, ...,bn\n (0xb8, 'PUSHW', 3, 'PushWords', 0, -1), # w0,w1,..wn w0 ,w1, ...wn\n]\n\n\n# next, the list of "normal" instructions\n\ninstructions = [\n#\n# opcode mnemonic argBits descriptive name pops pushes eats from instruction stream pushes\n#\n (0x7f, 'AA', 0, 'AdjustAngle', 1, 0), # p -\n (0x64, 'ABS', 0, 'Absolute', 1, 1), # n |n|\n (0x60, 'ADD', 0, 'Add', 2, 1), # n2, n1 (n1 + n2)\n (0x27, 'ALIGNPTS', 0, 'AlignPts', 2, 0), # p2, p1 -\n (0x3c, 'ALIGNRP', 0, 'AlignRelativePt', -1, 0), # p1, p2, ... , ploopvalue -\n (0x5a, 'AND', 0, 'LogicalAnd', 2, 1), # e2, e1 b\n (0x2b, 'CALL', 0, 'CallFunction', 1, 0), # f -\n (0x67, 'CEILING', 0, 'Ceiling', 1, 1), # n ceil(n)\n (0x25, 'CINDEX', 0, 'CopyXToTopStack', 1, 1), # k ek\n (0x22, 'CLEAR', 0, 'ClearStack', -1, 0), # all items on the stack -\n (0x4f, 'DEBUG', 0, 'DebugCall', 1, 0), # n -\n (0x73, 'DELTAC1', 0, 'DeltaExceptionC1', -1, 0), # argn, cn, argn-1,cn-1, , arg1, c1 -\n (0x74, 'DELTAC2', 0, 'DeltaExceptionC2', -1, 0), # argn, cn, argn-1,cn-1, , arg1, c1 -\n (0x75, 'DELTAC3', 0, 'DeltaExceptionC3', -1, 0), # argn, cn, argn-1,cn-1, , arg1, c1 -\n (0x5d, 'DELTAP1', 0, 'DeltaExceptionP1', -1, 0), # argn, pn, argn-1, pn-1, , arg1, p1 -\n (0x71, 'DELTAP2', 0, 'DeltaExceptionP2', -1, 0), # argn, pn, argn-1, pn-1, , arg1, p1 -\n (0x72, 'DELTAP3', 0, 'DeltaExceptionP3', -1, 0), # argn, pn, argn-1, pn-1, , arg1, p1 -\n (0x24, 'DEPTH', 0, 'GetDepthStack', 0, 1), # - n\n (0x62, 'DIV', 0, 'Divide', 2, 1), # n2, n1 (n1 * 64)/ n2\n (0x20, 'DUP', 0, 'DuplicateTopStack', 1, 2), # e e, e\n (0x59, 'EIF', 0, 'EndIf', 0, 0), # - -\n (0x1b, 'ELSE', 0, 'Else', 0, 0), # - -\n (0x2d, 'ENDF', 0, 'EndFunctionDefinition', 0, 0), # - -\n (0x54, 'EQ', 0, 'Equal', 2, 1), # e2, e1 b\n (0x57, 'EVEN', 0, 'Even', 1, 1), # e b\n (0x2c, 'FDEF', 0, 'FunctionDefinition', 1, 0), # f -\n (0x4e, 'FLIPOFF', 0, 'SetAutoFlipOff', 0, 0), # - -\n (0x4d, 'FLIPON', 0, 'SetAutoFlipOn', 0, 0), # - -\n (0x80, 'FLIPPT', 0, 'FlipPoint', -1, 0), # p1, p2, ..., ploopvalue -\n (0x82, 'FLIPRGOFF', 0, 'FlipRangeOff', 2, 0), # h, l -\n (0x81, 'FLIPRGON', 0, 'FlipRangeOn', 2, 0), # h, l -\n (0x66, 'FLOOR', 0, 'Floor', 1, 1), # n floor(n)\n (0x46, 'GC', 1, 'GetCoordOnPVector', 1, 1), # p c\n (0x88, 'GETINFO', 0, 'GetInfo', 1, 1), # selector result\n (0x91, 'GETVARIATION', 0, 'GetVariation', 0, -1), # - a1,..,an\n (0x0d, 'GFV', 0, 'GetFVector', 0, 2), # - px, py\n (0x0c, 'GPV', 0, 'GetPVector', 0, 2), # - px, py\n (0x52, 'GT', 0, 'GreaterThan', 2, 1), # e2, e1 b\n (0x53, 'GTEQ', 0, 'GreaterThanOrEqual', 2, 1), # e2, e1 b\n (0x89, 'IDEF', 0, 'InstructionDefinition', 1, 0), # f -\n (0x58, 'IF', 0, 'If', 1, 0), # e -\n (0x8e, 'INSTCTRL', 0, 'SetInstrExecControl', 2, 0), # s, v -\n (0x39, 'IP', 0, 'InterpolatePts', -1, 0), # p1, p2, ... , ploopvalue -\n (0x0f, 'ISECT', 0, 'MovePtToIntersect', 5, 0), # a1, a0, b1, b0, p -\n (0x30, 'IUP', 1, 'InterpolateUntPts', 0, 0), # - -\n (0x1c, 'JMPR', 0, 'Jump', 1, 0), # offset -\n (0x79, 'JROF', 0, 'JumpRelativeOnFalse', 2, 0), # e, offset -\n (0x78, 'JROT', 0, 'JumpRelativeOnTrue', 2, 0), # e, offset -\n (0x2a, 'LOOPCALL', 0, 'LoopAndCallFunction', 2, 0), # f, count -\n (0x50, 'LT', 0, 'LessThan', 2, 1), # e2, e1 b\n (0x51, 'LTEQ', 0, 'LessThenOrEqual', 2, 1), # e2, e1 b\n (0x8b, 'MAX', 0, 'Maximum', 2, 1), # e2, e1 max(e1, e2)\n (0x49, 'MD', 1, 'MeasureDistance', 2, 1), # p2,p1 d\n (0x2e, 'MDAP', 1, 'MoveDirectAbsPt', 1, 0), # p -\n (0xc0, 'MDRP', 5, 'MoveDirectRelPt', 1, 0), # p -\n (0x3e, 'MIAP', 1, 'MoveIndirectAbsPt', 2, 0), # n, p -\n (0x8c, 'MIN', 0, 'Minimum', 2, 1), # e2, e1 min(e1, e2)\n (0x26, 'MINDEX', 0, 'MoveXToTopStack', 1, 1), # k ek\n (0xe0, 'MIRP', 5, 'MoveIndirectRelPt', 2, 0), # n, p -\n (0x4b, 'MPPEM', 0, 'MeasurePixelPerEm', 0, 1), # - ppem\n (0x4c, 'MPS', 0, 'MeasurePointSize', 0, 1), # - pointSize\n (0x3a, 'MSIRP', 1, 'MoveStackIndirRelPt', 2, 0), # d, p -\n (0x63, 'MUL', 0, 'Multiply', 2, 1), # n2, n1 (n1 * n2)/64\n (0x65, 'NEG', 0, 'Negate', 1, 1), # n -n\n (0x55, 'NEQ', 0, 'NotEqual', 2, 1), # e2, e1 b\n (0x5c, 'NOT', 0, 'LogicalNot', 1, 1), # e ( not e )\n (0x6c, 'NROUND', 2, 'NoRound', 1, 1), # n1 n2\n (0x56, 'ODD', 0, 'Odd', 1, 1), # e b\n (0x5b, 'OR', 0, 'LogicalOr', 2, 1), # e2, e1 b\n (0x21, 'POP', 0, 'PopTopStack', 1, 0), # e -\n (0x45, 'RCVT', 0, 'ReadCVT', 1, 1), # location value\n (0x7d, 'RDTG', 0, 'RoundDownToGrid', 0, 0), # - -\n (0x7a, 'ROFF', 0, 'RoundOff', 0, 0), # - -\n (0x8a, 'ROLL', 0, 'RollTopThreeStack', 3, 3), # a,b,c b,a,c\n (0x68, 'ROUND', 2, 'Round', 1, 1), # n1 n2\n (0x43, 'RS', 0, 'ReadStore', 1, 1), # n v\n (0x3d, 'RTDG', 0, 'RoundToDoubleGrid', 0, 0), # - -\n (0x18, 'RTG', 0, 'RoundToGrid', 0, 0), # - -\n (0x19, 'RTHG', 0, 'RoundToHalfGrid', 0, 0), # - -\n (0x7c, 'RUTG', 0, 'RoundUpToGrid', 0, 0), # - -\n (0x77, 'S45ROUND', 0, 'SuperRound45Degrees', 1, 0), # n -\n (0x7e, 'SANGW', 0, 'SetAngleWeight', 1, 0), # weight -\n (0x85, 'SCANCTRL', 0, 'ScanConversionControl', 1, 0), # n -\n (0x8d, 'SCANTYPE', 0, 'ScanType', 1, 0), # n -\n (0x48, 'SCFS', 0, 'SetCoordFromStackFP', 2, 0), # c, p -\n (0x1d, 'SCVTCI', 0, 'SetCVTCutIn', 1, 0), # n -\n (0x5e, 'SDB', 0, 'SetDeltaBaseInGState', 1, 0), # n -\n (0x86, 'SDPVTL', 1, 'SetDualPVectorToLine', 2, 0), # p2, p1 -\n (0x5f, 'SDS', 0, 'SetDeltaShiftInGState', 1, 0), # n -\n (0x0b, 'SFVFS', 0, 'SetFVectorFromStack', 2, 0), # y, x -\n (0x04, 'SFVTCA', 1, 'SetFVectorToAxis', 0, 0), # - -\n (0x08, 'SFVTL', 1, 'SetFVectorToLine', 2, 0), # p2, p1 -\n (0x0e, 'SFVTPV', 0, 'SetFVectorToPVector', 0, 0), # - -\n (0x34, 'SHC', 1, 'ShiftContourByLastPt', 1, 0), # c -\n (0x32, 'SHP', 1, 'ShiftPointByLastPoint', -1, 0), # p1, p2, ..., ploopvalue -\n (0x38, 'SHPIX', 0, 'ShiftZoneByPixel', -1, 0), # d, p1, p2, ..., ploopvalue -\n (0x36, 'SHZ', 1, 'ShiftZoneByLastPoint', 1, 0), # e -\n (0x17, 'SLOOP', 0, 'SetLoopVariable', 1, 0), # n -\n (0x1a, 'SMD', 0, 'SetMinimumDistance', 1, 0), # distance -\n (0x0a, 'SPVFS', 0, 'SetPVectorFromStack', 2, 0), # y, x -\n (0x02, 'SPVTCA', 1, 'SetPVectorToAxis', 0, 0), # - -\n (0x06, 'SPVTL', 1, 'SetPVectorToLine', 2, 0), # p2, p1 -\n (0x76, 'SROUND', 0, 'SuperRound', 1, 0), # n -\n (0x10, 'SRP0', 0, 'SetRefPoint0', 1, 0), # p -\n (0x11, 'SRP1', 0, 'SetRefPoint1', 1, 0), # p -\n (0x12, 'SRP2', 0, 'SetRefPoint2', 1, 0), # p -\n (0x1f, 'SSW', 0, 'SetSingleWidth', 1, 0), # n -\n (0x1e, 'SSWCI', 0, 'SetSingleWidthCutIn', 1, 0), # n -\n (0x61, 'SUB', 0, 'Subtract', 2, 1), # n2, n1 (n1 - n2)\n (0x00, 'SVTCA', 1, 'SetFPVectorToAxis', 0, 0), # - -\n (0x23, 'SWAP', 0, 'SwapTopStack', 2, 2), # e2, e1 e1, e2\n (0x13, 'SZP0', 0, 'SetZonePointer0', 1, 0), # n -\n (0x14, 'SZP1', 0, 'SetZonePointer1', 1, 0), # n -\n (0x15, 'SZP2', 0, 'SetZonePointer2', 1, 0), # n -\n (0x16, 'SZPS', 0, 'SetZonePointerS', 1, 0), # n -\n (0x29, 'UTP', 0, 'UnTouchPt', 1, 0), # p -\n (0x70, 'WCVTF', 0, 'WriteCVTInFUnits', 2, 0), # n, l -\n (0x44, 'WCVTP', 0, 'WriteCVTInPixels', 2, 0), # v, l -\n (0x42, 'WS', 0, 'WriteStore', 2, 0), # v, l -\n]\n\n# fmt: on\n\n\ndef bitRepr(value, bits):\n s = ""\n for i in range(bits):\n s = "01"[value & 0x1] + s\n value = value >> 1\n return s\n\n\n_mnemonicPat = re.compile(r"[A-Z][A-Z0-9]*$")\n\n\ndef _makeDict(instructionList):\n opcodeDict = {}\n mnemonicDict = {}\n for op, mnemonic, argBits, name, pops, pushes in instructionList:\n assert _mnemonicPat.match(mnemonic)\n mnemonicDict[mnemonic] = op, argBits, name\n if argBits:\n argoffset = op\n for i in range(1 << argBits):\n opcodeDict[op + i] = mnemonic, argBits, argoffset, name\n else:\n opcodeDict[op] = mnemonic, 0, 0, name\n return opcodeDict, mnemonicDict\n\n\nstreamOpcodeDict, streamMnemonicDict = _makeDict(streamInstructions)\nopcodeDict, mnemonicDict = _makeDict(instructions)\n\n\nclass tt_instructions_error(Exception):\n def __init__(self, error):\n self.error = error\n\n def __str__(self):\n return "TT instructions error: %s" % repr(self.error)\n\n\n_comment = r"/\*.*?\*/"\n_instruction = r"([A-Z][A-Z0-9]*)\s*\[(.*?)\]"\n_number = r"-?[0-9]+"\n_token = "(%s)|(%s)|(%s)" % (_instruction, _number, _comment)\n\n_tokenRE = re.compile(_token)\n_whiteRE = re.compile(r"\s*")\n\n_pushCountPat = re.compile(r"[A-Z][A-Z0-9]*\s*\[.*?\]\s*/\* ([0-9]+).*?\*/")\n\n_indentRE = re.compile(r"^FDEF|IF|ELSE\[ \]\t.+")\n_unindentRE = re.compile(r"^ELSE|ENDF|EIF\[ \]\t.+")\n\n\ndef _skipWhite(data, pos):\n m = _whiteRE.match(data, pos)\n newPos = m.regs[0][1]\n assert newPos >= pos\n return newPos\n\n\nclass Program(object):\n def __init__(self) -> None:\n pass\n\n def fromBytecode(self, bytecode: bytes) -> None:\n self.bytecode = array.array("B", bytecode)\n if hasattr(self, "assembly"):\n del self.assembly\n\n def fromAssembly(self, assembly: List[str] | str) -> None:\n if isinstance(assembly, list):\n self.assembly = assembly\n elif isinstance(assembly, str):\n self.assembly = assembly.splitlines()\n else:\n raise TypeError(f"expected str or List[str], got {type(assembly).__name__}")\n if hasattr(self, "bytecode"):\n del self.bytecode\n\n def getBytecode(self) -> bytes:\n if not hasattr(self, "bytecode"):\n self._assemble()\n return self.bytecode.tobytes()\n\n def getAssembly(self, preserve=True) -> List[str]:\n if not hasattr(self, "assembly"):\n self._disassemble(preserve=preserve)\n return self.assembly\n\n def toXML(self, writer, ttFont) -> None:\n if (\n not hasattr(ttFont, "disassembleInstructions")\n or ttFont.disassembleInstructions\n ):\n try:\n assembly = self.getAssembly()\n except:\n import traceback\n\n tmp = StringIO()\n traceback.print_exc(file=tmp)\n msg = "An exception occurred during the decompilation of glyph program:\n\n"\n msg += tmp.getvalue()\n log.error(msg)\n writer.begintag("bytecode")\n writer.newline()\n writer.comment(msg.strip())\n writer.newline()\n writer.dumphex(self.getBytecode())\n writer.endtag("bytecode")\n writer.newline()\n else:\n if not assembly:\n return\n writer.begintag("assembly")\n writer.newline()\n i = 0\n indent = 0\n nInstr = len(assembly)\n while i < nInstr:\n instr = assembly[i]\n if _unindentRE.match(instr):\n indent -= 1\n writer.write(writer.indentwhite * indent)\n writer.write(instr)\n writer.newline()\n m = _pushCountPat.match(instr)\n i = i + 1\n if m:\n nValues = int(m.group(1))\n line: List[str] = []\n j = 0\n for j in range(nValues):\n if j and not (j % 25):\n writer.write(writer.indentwhite * indent)\n writer.write(" ".join(line))\n writer.newline()\n line = []\n line.append(assembly[i + j])\n writer.write(writer.indentwhite * indent)\n writer.write(" ".join(line))\n writer.newline()\n i = i + j + 1\n if _indentRE.match(instr):\n indent += 1\n writer.endtag("assembly")\n writer.newline()\n else:\n bytecode = self.getBytecode()\n if not bytecode:\n return\n writer.begintag("bytecode")\n writer.newline()\n writer.dumphex(bytecode)\n writer.endtag("bytecode")\n writer.newline()\n\n def fromXML(self, name, attrs, content, ttFont) -> None:\n if name == "assembly":\n self.fromAssembly(strjoin(content))\n self._assemble()\n del self.assembly\n else:\n assert name == "bytecode"\n self.fromBytecode(readHex(content))\n\n def _assemble(self) -> None:\n assembly = " ".join(getattr(self, "assembly", []))\n bytecode: List[int] = []\n push = bytecode.append\n lenAssembly = len(assembly)\n pos = _skipWhite(assembly, 0)\n while pos < lenAssembly:\n m = _tokenRE.match(assembly, pos)\n if m is None:\n raise tt_instructions_error(\n "Syntax error in TT program (%s)" % assembly[pos - 5 : pos + 15]\n )\n dummy, mnemonic, arg, number, comment = m.groups()\n pos = m.regs[0][1]\n if comment:\n pos = _skipWhite(assembly, pos)\n continue\n\n arg = arg.strip()\n if mnemonic.startswith("INSTR"):\n # Unknown instruction\n op = int(mnemonic[5:])\n push(op)\n elif mnemonic not in ("PUSH", "NPUSHB", "NPUSHW", "PUSHB", "PUSHW"):\n op, argBits, name = mnemonicDict[mnemonic]\n if len(arg) != argBits:\n raise tt_instructions_error(\n "Incorrect number of argument bits (%s[%s])" % (mnemonic, arg)\n )\n if arg:\n arg = binary2num(arg)\n push(op + arg)\n else:\n push(op)\n else:\n args = []\n pos = _skipWhite(assembly, pos)\n while pos < lenAssembly:\n m = _tokenRE.match(assembly, pos)\n if m is None:\n raise tt_instructions_error(\n "Syntax error in TT program (%s)" % assembly[pos : pos + 15]\n )\n dummy, _mnemonic, arg, number, comment = m.groups()\n if number is None and comment is None:\n break\n pos = m.regs[0][1]\n pos = _skipWhite(assembly, pos)\n if comment is not None:\n continue\n args.append(int(number))\n nArgs = len(args)\n if mnemonic == "PUSH":\n # Automatically choose the most compact representation\n nWords = 0\n while nArgs:\n while (\n nWords < nArgs\n and nWords < 255\n and not (0 <= args[nWords] <= 255)\n ):\n nWords += 1\n nBytes = 0\n while (\n nWords + nBytes < nArgs\n and nBytes < 255\n and 0 <= args[nWords + nBytes] <= 255\n ):\n nBytes += 1\n if (\n nBytes < 2\n and nWords + nBytes < 255\n and nWords + nBytes != nArgs\n ):\n # Will write bytes as words\n nWords += nBytes\n continue\n\n # Write words\n if nWords:\n if nWords <= 8:\n op, argBits, name = streamMnemonicDict["PUSHW"]\n op = op + nWords - 1\n push(op)\n else:\n op, argBits, name = streamMnemonicDict["NPUSHW"]\n push(op)\n push(nWords)\n for value in args[:nWords]:\n assert -32768 <= value < 32768, (\n "PUSH value out of range %d" % value\n )\n push((value >> 8) & 0xFF)\n push(value & 0xFF)\n\n # Write bytes\n if nBytes:\n pass\n if nBytes <= 8:\n op, argBits, name = streamMnemonicDict["PUSHB"]\n op = op + nBytes - 1\n push(op)\n else:\n op, argBits, name = streamMnemonicDict["NPUSHB"]\n push(op)\n push(nBytes)\n for value in args[nWords : nWords + nBytes]:\n push(value)\n\n nTotal = nWords + nBytes\n args = args[nTotal:]\n nArgs -= nTotal\n nWords = 0\n else:\n # Write exactly what we've been asked to\n words = mnemonic[-1] == "W"\n op, argBits, name = streamMnemonicDict[mnemonic]\n if mnemonic[0] != "N":\n assert nArgs <= 8, nArgs\n op = op + nArgs - 1\n push(op)\n else:\n assert nArgs < 256\n push(op)\n push(nArgs)\n if words:\n for value in args:\n assert -32768 <= value < 32768, (\n "PUSHW value out of range %d" % value\n )\n push((value >> 8) & 0xFF)\n push(value & 0xFF)\n else:\n for value in args:\n assert 0 <= value < 256, (\n "PUSHB value out of range %d" % value\n )\n push(value)\n\n pos = _skipWhite(assembly, pos)\n\n if bytecode:\n assert max(bytecode) < 256 and min(bytecode) >= 0\n self.bytecode = array.array("B", bytecode)\n\n def _disassemble(self, preserve=False) -> None:\n assembly = []\n i = 0\n bytecode = getattr(self, "bytecode", [])\n numBytecode = len(bytecode)\n while i < numBytecode:\n op = bytecode[i]\n try:\n mnemonic, argBits, argoffset, name = opcodeDict[op]\n except KeyError:\n if op in streamOpcodeDict:\n values = []\n\n # Merge consecutive PUSH operations\n while bytecode[i] in streamOpcodeDict:\n op = bytecode[i]\n mnemonic, argBits, argoffset, name = streamOpcodeDict[op]\n words = mnemonic[-1] == "W"\n if argBits:\n nValues = op - argoffset + 1\n else:\n i = i + 1\n nValues = bytecode[i]\n i = i + 1\n assert nValues > 0\n if not words:\n for j in range(nValues):\n value = bytecode[i]\n values.append(repr(value))\n i = i + 1\n else:\n for j in range(nValues):\n # cast to signed int16\n value = (bytecode[i] << 8) | bytecode[i + 1]\n if value >= 0x8000:\n value = value - 0x10000\n values.append(repr(value))\n i = i + 2\n if preserve:\n break\n\n if not preserve:\n mnemonic = "PUSH"\n nValues = len(values)\n if nValues == 1:\n assembly.append("%s[ ] /* 1 value pushed */" % mnemonic)\n else:\n assembly.append(\n "%s[ ] /* %s values pushed */" % (mnemonic, nValues)\n )\n assembly.extend(values)\n else:\n assembly.append("INSTR%d[ ]" % op)\n i = i + 1\n else:\n if argBits:\n assembly.append(\n mnemonic\n + "[%s] /* %s */" % (num2binary(op - argoffset, argBits), name)\n )\n else:\n assembly.append(mnemonic + "[ ] /* %s */" % name)\n i = i + 1\n self.assembly = assembly\n\n def __bool__(self) -> bool:\n """\n >>> p = Program()\n >>> bool(p)\n False\n >>> bc = array.array("B", [0])\n >>> p.fromBytecode(bc)\n >>> bool(p)\n True\n >>> p.bytecode.pop()\n 0\n >>> bool(p)\n False\n\n >>> p = Program()\n >>> asm = ['SVTCA[0]']\n >>> p.fromAssembly(asm)\n >>> bool(p)\n True\n >>> p.assembly.pop()\n 'SVTCA[0]'\n >>> bool(p)\n False\n """\n return (hasattr(self, "assembly") and len(self.assembly) > 0) or (\n hasattr(self, "bytecode") and len(self.bytecode) > 0\n )\n\n __nonzero__ = __bool__\n\n def __eq__(self, other) -> bool:\n if type(self) != type(other):\n return NotImplemented\n return self.__dict__ == other.__dict__\n\n def __ne__(self, other) -> bool:\n result = self.__eq__(other)\n return result if result is NotImplemented else not result\n\n\ndef _test():\n """\n >>> _test()\n True\n """\n\n bc = b"""@;:9876543210/.-,+*)(\'&%$#"! \037\036\035\034\033\032\031\030\027\026\025\024\023\022\021\020\017\016\015\014\013\012\011\010\007\006\005\004\003\002\001\000,\001\260\030CXEj\260\031C`\260F#D#\020 \260FN\360M/\260\000\022\033!#\0213Y-,\001\260\030CX\260\005+\260\000\023K\260\024PX\261\000@8Y\260\006+\033!#\0213Y-,\001\260\030CXN\260\003%\020\362!\260\000\022M\033 E\260\004%\260\004%#Jad\260(RX!#\020\326\033\260\003%\020\362!\260\000\022YY-,\260\032CX!!\033\260\002%\260\002%I\260\003%\260\003%Ja d\260\020PX!!!\033\260\003%\260\003%I\260\000PX\260\000PX\270\377\3428!\033\260\0208!Y\033\260\000RX\260\0368!\033\270\377\3608!YYYY-,\001\260\030CX\260\005+\260\000\023K\260\024PX\271\000\000\377\3008Y\260\006+\033!#\0213Y-,N\001\212\020\261F\031CD\260\000\024\261\000F\342\260\000\025\271\000\000\377\3608\000\260\000<\260(+\260\002%\020\260\000<-,\001\030\260\000/\260\001\024\362\260\001\023\260\001\025M\260\000\022-,\001\260\030CX\260\005+\260\000\023\271\000\000\377\3408\260\006+\033!#\0213Y-,\001\260\030CXEdj#Edi\260\031Cd``\260F#D#\020 \260F\360/\260\000\022\033!! \212 \212RX\0213\033!!YY-,\001\261\013\012C#Ce\012-,\000\261\012\013C#C\013-,\000\260F#p\261\001F>\001\260F#p\261\002FE:\261\002\000\010\015-,\260\022+\260\002%E\260\002%Ej\260@\213`\260\002%#D!!!-,\260\023+\260\002%E\260\002%Ej\270\377\300\214`\260\002%#D!!!-,\260\000\260\022+!!!-,\260\000\260\023+!!!-,\001\260\006C\260\007Ce\012-, i\260@a\260\000\213 \261,\300\212\214\270\020\000b`+\014d#da\\X\260\003aY-,\261\000\003%EhT\260\034KPZX\260\003%E\260\003%E`h \260\004%#D\260\004%#D\033\260\003% Eh \212#D\260\003%Eh`\260\003%#DY-,\260\003% Eh \212#D\260\003%Edhe`\260\004%\260\001`#D-,\260\011CX\207!\300\033\260\022CX\207E\260\021+\260G#D\260Gz\344\033\003\212E\030i \260G#D\212\212\207 \260\240QX\260\021+\260G#D\260Gz\344\033!\260Gz\344YYY\030-, \212E#Eh`D-,EjB-,\001\030/-,\001\260\030CX\260\004%\260\004%Id#Edi\260@\213a \260\200bj\260\002%\260\002%a\214\260\031C`\260F#D!\212\020\260F\366!\033!!!!Y-,\001\260\030CX\260\002%E\260\002%Ed`j\260\003%Eja \260\004%Ej \212\213e\260\004%#D\214\260\003%#D!!\033 EjD EjDY-,\001 E\260\000U\260\030CZXEh#Ei\260@\213a \260\200bj \212#a \260\003%\213e\260\004%#D\214\260\003%#D!!\033!!\260\031+Y-,\001\212\212Ed#EdadB-,\260\004%\260\004%\260\031+\260\030CX\260\004%\260\004%\260\003%\260\033+\001\260\002%C\260@T\260\002%C\260\000TZX\260\003% E\260@aDY\260\002%C\260\000T\260\002%C\260@TZX\260\004% E\260@`DYY!!!!-,\001KRXC\260\002%E#aD\033!!Y-,\001KRXC\260\002%E#`D\033!!Y-,KRXED\033!!Y-,\001 \260\003%#I\260@`\260 c \260\000RX#\260\002%8#\260\002%e8\000\212c8\033!!!!!Y\001-,KPXED\033!!Y-,\001\260\005%\020# \212\365\000\260\001`#\355\354-,\001\260\005%\020# \212\365\000\260\001a#\355\354-,\001\260\006%\020\365\000\355\354-,F#F`\212\212F# F\212`\212a\270\377\200b# \020#\212\261KK\212pE` \260\000PX\260\001a\270\377\272\213\033\260F\214Y\260\020`h\001:-, E\260\003%FRX\260\002%F ha\260\003%\260\003%?#!8\033!\021Y-, E\260\003%FPX\260\002%F ha\260\003%\260\003%?#!8\033!\021Y-,\000\260\007C\260\006C\013-,\212\020\354-,\260\014CX!\033 F\260\000RX\270\377\3608\033\260\0208YY-, \260\000UX\270\020\000c\260\003%Ed\260\003%Eda\260\000SX\260\002\033\260@a\260\003Y%EiSXED\033!!Y\033!\260\002%E\260\002%Ead\260(QXED\033!!YY-,!!\014d#d\213\270@\000b-,!\260\200QX\014d#d\213\270 \000b\033\262\000@/+Y\260\002`-,!\260\300QX\014d#d\213\270\025Ub\033\262\000\200/+Y\260\002`-,\014d#d\213\270@\000b`#!-,KSX\260\004%\260\004%Id#Edi\260@\213a \260\200bj\260\002%\260\002%a\214\260F#D!\212\020\260F\366!\033!\212\021#\022 9/Y-,\260\002%\260\002%Id\260\300TX\270\377\3708\260\0108\033!!Y-,\260\023CX\003\033\002Y-,\260\023CX\002\033\003Y-,\260\012+#\020 <\260\027+-,\260\002%\270\377\3608\260(+\212\020# \320#\260\020+\260\005CX\300\033<Y \020\021\260\000\022\001-,KS#KQZX8\033!!Y-,\001\260\002%\020\320#\311\001\260\001\023\260\000\024\020\260\001<\260\001\026-,\001\260\000\023\260\001\260\003%I\260\003\0278\260\001\023-,KS#KQZX E\212`D\033!!Y-, 9/-"""\n\n p = Program()\n p.fromBytecode(bc)\n asm = p.getAssembly(preserve=True)\n p.fromAssembly(asm)\n print(bc == p.getBytecode())\n\n\nif __name__ == "__main__":\n import sys\n import doctest\n\n sys.exit(doctest.testmod().failed)\n
.venv\Lib\site-packages\fontTools\ttLib\tables\ttProgram.py
ttProgram.py
Python
36,482
0.95
0.139731
0.033708
node-utils
831
2025-05-30T13:06:17.288314
BSD-3-Clause
false
d185e3eb66bc8eb9e2977b92d29cf81f
from . import asciiTable\n\n\nclass table_T_T_F_A_(asciiTable.asciiTable):\n """ttfautohint parameters table\n\n The ``TTFA`` table is used by the free-software `ttfautohint` program\n to record the parameters that `ttfautohint` was called with when it\n was used to auto-hint the font.\n\n See also http://freetype.org/ttfautohint/doc/ttfautohint.html#miscellaneous-1\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\T_T_F_A_.py
T_T_F_A_.py
Python
406
0.95
0.071429
0
react-lib
637
2024-10-18T03:02:53.200262
Apache-2.0
false
f0139b552fa820c3822cdb04d6235293
from .otBase import BaseTTXConverter\n\n\nclass table_V_A_R_C_(BaseTTXConverter):\n """Variable Components table\n\n The ``VARC`` table contains variation information for composite glyphs.\n\n See also https://github.com/harfbuzz/boring-expansion-spec/blob/main/VARC.md\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\V_A_R_C_.py
V_A_R_C_.py
Python
301
0.95
0.166667
0
node-utils
590
2024-07-10T19:59:47.775136
BSD-3-Clause
false
0b567fa16ba28b0a75f55ffe3827fc80
from .otBase import BaseTTXConverter\n\n\nclass table__a_n_k_r(BaseTTXConverter):\n """Anchor Point table\n\n The anchor point table provides a way to define anchor points.\n These are points within the coordinate space of a given glyph,\n independent of the control points used to render the glyph.\n Anchor points are used in conjunction with the ``kerx`` table.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6ankr.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_a_n_k_r.py
_a_n_k_r.py
Python
498
0.95
0.066667
0
node-utils
389
2024-08-08T04:12:44.950197
BSD-3-Clause
false
667042405e63f291a50d2b8e2e5ab3cb
from .otBase import BaseTTXConverter\n\n\n# https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6bsln.html\nclass table__b_s_l_n(BaseTTXConverter):\n """Baseline table\n\n The AAT ``bsln`` table is similar in purpose to the OpenType ``BASE``\n table; it stores per-script baselines to support automatic alignment\n of lines of text.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6bsln.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_b_s_l_n.py
_b_s_l_n.py
Python
480
0.95
0.066667
0.1
react-lib
238
2024-11-27T15:12:20.114281
GPL-3.0
false
94ac3eecaeaa4369efc5a482367f4bbf
# coding: utf-8\nfrom .otBase import BaseTTXConverter\n\n\nclass table__c_i_d_g(BaseTTXConverter):\n """CID to Glyph ID table\n\n The AAT ``cidg`` table has almost the same structure as ``gidc``,\n just mapping CIDs to GlyphIDs instead of the reverse direction.\n\n It is useful for fonts that may be used by a PDF renderer in lieu of\n a font reference with a known glyph collection but no subsetted\n glyphs. For instance, a PDF can say “please use a font conforming\n to Adobe-Japan-1”; the ``cidg`` mapping is necessary if the font is,\n say, a TrueType font. ``gidc`` is lossy for this purpose and is\n obsoleted by ``cidg``.\n\n For example, the first font in ``/System/Library/Fonts/PingFang.ttc``\n (which Apple ships pre-installed on MacOS 10.12.6) has a ``cidg`` table.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6gcid.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_c_i_d_g.py
_c_i_d_g.py
Python
937
0.95
0.166667
0.058824
react-lib
65
2024-04-11T04:48:21.590891
GPL-3.0
false
461c7dd28801c059d87872c859e89293
from .otBase import BaseTTXConverter\n\n\nclass table__f_e_a_t(BaseTTXConverter):\n """Feature name table\n\n The feature name table is an AAT (Apple Advanced Typography) table for\n storing font features, settings, and their human-readable names. It should\n not be confused with the ``Feat`` table or the OpenType Layout ``GSUB``/``GPOS``\n tables.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6feat.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_f_e_a_t.py
_f_e_a_t.py
Python
484
0.95
0.133333
0
vue-tools
827
2024-06-11T23:22:23.282316
BSD-3-Clause
false
b4dd1939ec201518c666241cdfb62f4b
from .otBase import BaseTTXConverter\n\n\n# https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6gcid.html\nclass table__g_c_i_d(BaseTTXConverter):\n """Glyph ID to CID table\n\n The AAT ``gcid`` table stores glyphID-to-CID mappings.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6gcid.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_g_c_i_d.py
_g_c_i_d.py
Python
375
0.95
0.076923
0.125
python-kit
777
2024-05-29T01:36:44.470660
MIT
false
4079423d6496fb48f44ab67479280d82
from .otBase import BaseTTXConverter\n\n\nclass table__l_c_a_r(BaseTTXConverter):\n """Ligature Caret table\n\n The AAT ``lcar`` table stores division points within ligatures, which applications\n can use to position carets properly between the logical parts of the ligature.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6lcar.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_l_c_a_r.py
_l_c_a_r.py
Python
403
0.95
0.076923
0
vue-tools
389
2023-08-12T06:08:50.660823
BSD-3-Clause
false
598bd6eec0ba65b1523d711032d69f76
from .otBase import BaseTTXConverter\n\n\n# https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6mort.html\nclass table__m_o_r_t(BaseTTXConverter):\n """The AAT ``mort`` table contains glyph transformations used for script shaping and\n for various other optional smart features.\n\n Note: ``mort`` has been deprecated in favor of the newer ``morx`` table.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6mort.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_m_o_r_t.py
_m_o_r_t.py
Python
501
0.95
0.214286
0.111111
awesome-app
872
2024-05-17T13:46:12.242249
GPL-3.0
false
7c66c1b79c1d71edcf59cf55a9059f3e
from .otBase import BaseTTXConverter\n\n\n# https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6morx.html\nclass table__m_o_r_x(BaseTTXConverter):\n """The AAT ``morx`` table contains glyph transformations used for script shaping and\n for various other optional smart features, akin to ``GSUB`` and ``GPOS`` features\n in OpenType Layout.\n\n Note: ``morx`` is a replacement for the now deprecated ``mort`` table.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6morx.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_m_o_r_x.py
_m_o_r_x.py
Python
563
0.95
0.266667
0.1
react-lib
250
2025-04-01T18:59:50.040141
BSD-3-Clause
false
0452324f8c24f24a70c15700422d7b87
from .otBase import BaseTTXConverter\n\n\n# https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6opbd.html\nclass table__o_p_b_d(BaseTTXConverter):\n """Optical Bounds table\n\n The AAT ``opbd`` table contains optical boundary points for glyphs, which\n applications can use for the visual alignment of lines of text.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6opbd.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_o_p_b_d.py
_o_p_b_d.py
Python
462
0.95
0.214286
0.111111
python-kit
643
2024-11-26T17:08:22.933105
BSD-3-Clause
false
b5b3c301b6f51c3fa5e583170f311d9d
from .otBase import BaseTTXConverter\n\n\n# https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6prop.html\nclass table__p_r_o_p(BaseTTXConverter):\n """The AAT ``prop`` table can store a variety of per-glyph properties, such as\n Unicode directionality or whether glyphs are non-spacing marks.\n\n See also https://developer.apple.com/fonts/TrueType-Reference-Manual/RM06/Chap6prop.html\n """\n\n pass\n
.venv\Lib\site-packages\fontTools\ttLib\tables\_p_r_o_p.py
_p_r_o_p.py
Python
439
0.95
0.083333
0.125
react-lib
464
2025-01-13T15:53:19.604554
BSD-3-Clause
false
61e47540e35d4260a29cef46ea390c7f
# DON'T EDIT! This file is generated by MetaTools/buildTableList.py.\ndef _moduleFinderHint():\n """Dummy function to let modulefinder know what tables may be\n dynamically imported. Generated by MetaTools/buildTableList.py.\n\n >>> _moduleFinderHint()\n """\n from . import B_A_S_E_\n from . import C_B_D_T_\n from . import C_B_L_C_\n from . import C_F_F_\n from . import C_F_F__2\n from . import C_O_L_R_\n from . import C_P_A_L_\n from . import D_S_I_G_\n from . import D__e_b_g\n from . import E_B_D_T_\n from . import E_B_L_C_\n from . import F_F_T_M_\n from . import F__e_a_t\n from . import G_D_E_F_\n from . import G_M_A_P_\n from . import G_P_K_G_\n from . import G_P_O_S_\n from . import G_S_U_B_\n from . import G_V_A_R_\n from . import G__l_a_t\n from . import G__l_o_c\n from . import H_V_A_R_\n from . import J_S_T_F_\n from . import L_T_S_H_\n from . import M_A_T_H_\n from . import M_E_T_A_\n from . import M_V_A_R_\n from . import O_S_2f_2\n from . import S_I_N_G_\n from . import S_T_A_T_\n from . import S_V_G_\n from . import S__i_l_f\n from . import S__i_l_l\n from . import T_S_I_B_\n from . import T_S_I_C_\n from . import T_S_I_D_\n from . import T_S_I_J_\n from . import T_S_I_P_\n from . import T_S_I_S_\n from . import T_S_I_V_\n from . import T_S_I__0\n from . import T_S_I__1\n from . import T_S_I__2\n from . import T_S_I__3\n from . import T_S_I__5\n from . import T_T_F_A_\n from . import V_A_R_C_\n from . import V_D_M_X_\n from . import V_O_R_G_\n from . import V_V_A_R_\n from . import _a_n_k_r\n from . import _a_v_a_r\n from . import _b_s_l_n\n from . import _c_i_d_g\n from . import _c_m_a_p\n from . import _c_v_a_r\n from . import _c_v_t\n from . import _f_e_a_t\n from . import _f_p_g_m\n from . import _f_v_a_r\n from . import _g_a_s_p\n from . import _g_c_i_d\n from . import _g_l_y_f\n from . import _g_v_a_r\n from . import _h_d_m_x\n from . import _h_e_a_d\n from . import _h_h_e_a\n from . import _h_m_t_x\n from . import _k_e_r_n\n from . import _l_c_a_r\n from . import _l_o_c_a\n from . import _l_t_a_g\n from . import _m_a_x_p\n from . import _m_e_t_a\n from . import _m_o_r_t\n from . import _m_o_r_x\n from . import _n_a_m_e\n from . import _o_p_b_d\n from . import _p_o_s_t\n from . import _p_r_e_p\n from . import _p_r_o_p\n from . import _s_b_i_x\n from . import _t_r_a_k\n from . import _v_h_e_a\n from . import _v_m_t_x\n\n\nif __name__ == "__main__":\n import doctest, sys\n\n sys.exit(doctest.testmod().failed)\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__init__.py
__init__.py
Python
2,749
0.95
0.030612
0.010638
vue-tools
433
2023-12-22T13:41:56.686911
GPL-3.0
false
8cfc76232d0f0802cab79de69f9e3929
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\asciiTable.cpython-313.pyc
asciiTable.cpython-313.pyc
Other
1,573
0.8
0
0
python-kit
665
2024-09-02T19:37:00.460212
GPL-3.0
false
da28ae9f0a2efd469cfaf5cf8fb85276
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\BitmapGlyphMetrics.cpython-313.pyc
BitmapGlyphMetrics.cpython-313.pyc
Other
2,964
0.8
0
0
vue-tools
213
2023-10-31T14:57:18.666177
MIT
false
0de97a38a9c8246ebcbe16bb7ba41c22
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\B_A_S_E_.cpython-313.pyc
B_A_S_E_.cpython-313.pyc
Other
760
0.8
0
0
react-lib
474
2023-08-13T09:36:56.513790
Apache-2.0
false
57d8bca9dfb0859d685e622dc7b81b2d
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\C_B_D_T_.cpython-313.pyc
C_B_D_T_.cpython-313.pyc
Other
5,812
0.8
0.026316
0
python-kit
566
2024-08-16T13:35:58.517048
BSD-3-Clause
false
c2e3f4bfaad9d1855f01b0f4ed03e50a
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\C_B_L_C_.cpython-313.pyc
C_B_L_C_.cpython-313.pyc
Other
873
0.8
0.083333
0
node-utils
576
2023-07-15T14:40:48.701140
Apache-2.0
false
d54923ac1806e3771e0865e0bafa023d
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\C_F_F_.cpython-313.pyc
C_F_F_.cpython-313.pyc
Other
3,692
0.8
0
0
vue-tools
521
2024-08-08T16:46:10.086553
MIT
false
e865e0a9ff9d0dc8cb1262e7b90d08c8
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\C_F_F__2.cpython-313.pyc
C_F_F__2.cpython-313.pyc
Other
1,612
0.8
0.0625
0
python-kit
280
2024-03-03T05:52:26.687634
Apache-2.0
false
759bb34bbbc68d5aa39814dd19e3a2a6
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\C_O_L_R_.cpython-313.pyc
C_O_L_R_.cpython-313.pyc
Other
8,552
0.8
0.021978
0.012821
vue-tools
728
2024-01-27T01:23:50.531234
BSD-3-Clause
false
b189b0f12b830143351320950271e3f3
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\C_P_A_L_.cpython-313.pyc
C_P_A_L_.cpython-313.pyc
Other
16,605
0.8
0
0.032
react-lib
830
2024-03-14T19:02:36.765561
BSD-3-Clause
false
fd69cccb01fd6ebe8979426e47d885da
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\DefaultTable.cpython-313.pyc
DefaultTable.cpython-313.pyc
Other
3,171
0.8
0
0
vue-tools
472
2023-12-25T16:38:39.191614
MIT
false
23cfe22db8107a09f820a7c0df7bec4c
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\D_S_I_G_.cpython-313.pyc
D_S_I_G_.cpython-313.pyc
Other
7,823
0.8
0.014706
0
react-lib
872
2023-09-09T11:28:28.291242
BSD-3-Clause
false
2881c98c8260fce8112ab173ec105db4
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\D__e_b_g.cpython-313.pyc
D__e_b_g.cpython-313.pyc
Other
2,637
0.8
0
0
vue-tools
996
2025-03-03T08:05:14.718975
GPL-3.0
false
4ec488fab749abaa4abcccf90886bec5
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\E_B_D_T_.cpython-313.pyc
E_B_D_T_.cpython-313.pyc
Other
36,698
0.8
0.003861
0.004
vue-tools
337
2024-02-06T15:57:09.061320
GPL-3.0
false
63e51043ee92f0dd2ed1e2dc61273c31
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\E_B_L_C_.cpython-313.pyc
E_B_L_C_.cpython-313.pyc
Other
34,453
0.8
0.003676
0
awesome-app
221
2024-12-23T18:36:42.926171
BSD-3-Clause
false
fef7f6e5c9fb6e0282c03bc313c3766a
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\F_F_T_M_.cpython-313.pyc
F_F_T_M_.cpython-313.pyc
Other
2,679
0.8
0.066667
0
python-kit
620
2025-02-16T07:13:06.152435
MIT
false
e17ee4c2fb49baa238fce99ff547d2cb
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\F__e_a_t.cpython-313.pyc
F__e_a_t.cpython-313.pyc
Other
8,517
0.8
0
0
python-kit
187
2025-05-13T11:18:47.237858
Apache-2.0
false
e0a6b05b223925c3745751c44dce54e4
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\grUtils.cpython-313.pyc
grUtils.cpython-313.pyc
Other
4,278
0.8
0
0
vue-tools
766
2025-06-16T08:52:56.036339
MIT
false
d5c4cdf219e3478513f77455d2857448
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\G_D_E_F_.cpython-313.pyc
G_D_E_F_.cpython-313.pyc
Other
694
0.8
0
0
node-utils
421
2024-07-19T12:29:25.075326
BSD-3-Clause
false
3e7f19fde340398bc01187889ad4b80e
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\G_M_A_P_.cpython-313.pyc
G_M_A_P_.cpython-313.pyc
Other
7,414
0.8
0
0
react-lib
771
2025-04-06T18:12:14.904243
GPL-3.0
false
0713383a498743d34c66c19cfa57fa38
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\G_P_K_G_.cpython-313.pyc
G_P_K_G_.cpython-313.pyc
Other
6,836
0.8
0
0
vue-tools
478
2024-03-08T07:00:21.384995
BSD-3-Clause
false
53fd40dfdea79936d9f0f7b6e0454d41
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\G_P_O_S_.cpython-313.pyc
G_P_O_S_.cpython-313.pyc
Other
791
0.8
0
0
awesome-app
569
2024-05-04T11:23:25.387240
MIT
false
c42294e672089c6235a5878d9c9629ec
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\G_S_U_B_.cpython-313.pyc
G_S_U_B_.cpython-313.pyc
Other
689
0.8
0
0
react-lib
951
2024-01-20T07:43:59.333606
Apache-2.0
false
691f664e2c929a0e421d65f6a00a7ad6
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\G_V_A_R_.cpython-313.pyc
G_V_A_R_.cpython-313.pyc
Other
509
0.7
0
0
node-utils
4
2024-04-08T11:10:27.413646
BSD-3-Clause
false
bfba5a16ce29edeff3b9241bc3558005
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\G__l_a_t.cpython-313.pyc
G__l_a_t.cpython-313.pyc
Other
12,925
0.8
0
0
python-kit
571
2024-12-07T13:23:24.211795
MIT
false
44bd7c810296e5a389ec60e65853fb8b
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\G__l_o_c.cpython-313.pyc
G__l_o_c.cpython-313.pyc
Other
5,131
0.8
0
0.02381
python-kit
360
2024-05-20T04:13:35.306139
BSD-3-Clause
false
2a808877673685ca95868f80d400938e
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\H_V_A_R_.cpython-313.pyc
H_V_A_R_.cpython-313.pyc
Other
708
0.8
0
0
python-kit
895
2024-01-24T03:45:28.687929
BSD-3-Clause
false
1ae6ae9f7bb737e3cd2cc70f5b6bde83
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\J_S_T_F_.cpython-313.pyc
J_S_T_F_.cpython-313.pyc
Other
710
0.8
0
0
vue-tools
492
2024-12-31T17:55:58.582571
BSD-3-Clause
false
8d228e2c99f81bab2d23933c4dc218d4
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\L_T_S_H_.cpython-313.pyc
L_T_S_H_.cpython-313.pyc
Other
3,255
0.8
0
0
python-kit
301
2023-07-28T03:50:48.154241
BSD-3-Clause
false
19ee6cf52010757eafa5c4f4f260897a
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\M_A_T_H_.cpython-313.pyc
M_A_T_H_.cpython-313.pyc
Other
737
0.8
0
0
vue-tools
365
2025-04-16T13:22:53.901925
MIT
false
34dcfbf466a8c5f184c6f070f8ec322c
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\M_E_T_A_.cpython-313.pyc
M_E_T_A_.cpython-313.pyc
Other
14,267
0.8
0.014815
0.015748
vue-tools
167
2023-11-10T19:00:49.595830
GPL-3.0
false
6d676e49aa525dc542565ad1d527886b
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\M_V_A_R_.cpython-313.pyc
M_V_A_R_.cpython-313.pyc
Other
703
0.8
0.111111
0
react-lib
284
2023-10-08T12:07:55.177217
Apache-2.0
false
20d922ffac13d94062c95931151a0cc4
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\otBase.cpython-313.pyc
otBase.cpython-313.pyc
Other
64,451
0.75
0.034014
0.00495
react-lib
525
2024-02-28T02:27:12.566147
Apache-2.0
false
7cbd2218a91fec3d89b766af3e374a49
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\otConverters.cpython-313.pyc
otConverters.cpython-313.pyc
Other
103,524
0.75
0.007813
0.00271
awesome-app
126
2023-08-17T12:54:56.148285
GPL-3.0
false
dc593919da351fbe6467b36b956ee50d
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\otData.cpython-313.pyc
otData.cpython-313.pyc
Other
84,484
0.75
0.17758
0
python-kit
417
2023-12-19T10:05:36.898219
BSD-3-Clause
false
3058a970c71795639d5773e88f0fea30
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\otTraverse.cpython-313.pyc
otTraverse.cpython-313.pyc
Other
6,500
0.95
0.154639
0
vue-tools
408
2023-07-17T18:33:26.980972
GPL-3.0
false
33aec5517f4b1fc2bb07d1d8a7fdf008
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\O_S_2f_2.cpython-313.pyc
O_S_2f_2.cpython-313.pyc
Other
31,074
0.95
0.02518
0
react-lib
326
2025-03-04T22:38:54.924936
GPL-3.0
false
e9642e23294d92888c46efefc5223910
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\sbixGlyph.cpython-313.pyc
sbixGlyph.cpython-313.pyc
Other
6,576
0.8
0.019608
0.12
react-lib
795
2024-12-11T07:53:15.086501
Apache-2.0
false
21f1e4383c09e819fc3bb5d2dfb9febb
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\sbixStrike.cpython-313.pyc
sbixStrike.cpython-313.pyc
Other
7,037
0.8
0.037037
0.051282
python-kit
781
2023-10-29T02:27:05.232296
MIT
false
bf0aa09bce0d6cc67296822ef068c51a
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\S_I_N_G_.cpython-313.pyc
S_I_N_G_.cpython-313.pyc
Other
5,171
0.8
0
0
python-kit
399
2025-06-24T09:55:30.869997
BSD-3-Clause
false
8c08b0b08eab583297e486c9231a7b0f
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\S_T_A_T_.cpython-313.pyc
S_T_A_T_.cpython-313.pyc
Other
888
0.8
0
0
node-utils
182
2024-07-06T23:47:16.217536
Apache-2.0
false
d4a3af0ec793b472d6fb4b3e8dc67cb3
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\S_V_G_.cpython-313.pyc
S_V_G_.cpython-313.pyc
Other
9,499
0.8
0.009259
0
vue-tools
885
2024-07-03T00:42:14.170420
BSD-3-Clause
false
228c23cee69d97c12c776824db6f4745
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\S__i_l_f.cpython-313.pyc
S__i_l_f.cpython-313.pyc
Other
51,362
0.8
0
0.01083
vue-tools
883
2024-08-24T02:06:22.114682
Apache-2.0
false
9bbc7b340c1135fd9d19015ea40387f2
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\S__i_l_l.cpython-313.pyc
S__i_l_l.cpython-313.pyc
Other
5,586
0.8
0
0
python-kit
211
2024-05-27T04:19:17.326768
BSD-3-Clause
false
34bd6a7eca31b4984c9350d17a82a96d
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\ttProgram.cpython-313.pyc
ttProgram.cpython-313.pyc
Other
24,254
0.8
0.004739
0
react-lib
141
2024-01-28T06:22:45.946325
MIT
false
4851f2f66e3e88fa773083274c40a961
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\TupleVariation.cpython-313.pyc
TupleVariation.cpython-313.pyc
Other
34,918
0.95
0.023529
0
node-utils
965
2023-08-31T19:36:04.697896
GPL-3.0
false
778e097d678fbdb4178ba496d4f6c193
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I_B_.cpython-313.pyc
T_S_I_B_.cpython-313.pyc
Other
756
0.8
0.083333
0
python-kit
213
2024-01-21T20:44:26.998666
BSD-3-Clause
false
b681d4d9119399dbf61b22139bdab675
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I_C_.cpython-313.pyc
T_S_I_C_.cpython-313.pyc
Other
798
0.8
0.133333
0
node-utils
49
2025-05-27T18:14:57.849634
BSD-3-Clause
false
e78770221812b8525c6b760b389b1bfb
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I_D_.cpython-313.pyc
T_S_I_D_.cpython-313.pyc
Other
756
0.8
0.083333
0
python-kit
125
2024-02-09T11:16:38.744845
GPL-3.0
false
673e243d08017a5fe7b354ea1478328c
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I_J_.cpython-313.pyc
T_S_I_J_.cpython-313.pyc
Other
756
0.8
0.083333
0
python-kit
941
2024-11-26T10:13:58.765015
Apache-2.0
false
6268d6bc8d4536bf2c2aedbc29e12896
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I_P_.cpython-313.pyc
T_S_I_P_.cpython-313.pyc
Other
756
0.8
0.083333
0
node-utils
888
2024-01-18T06:54:54.315879
MIT
false
f1b58bd514e4aa7f55bfcdb2a397111f
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I_S_.cpython-313.pyc
T_S_I_S_.cpython-313.pyc
Other
756
0.8
0.083333
0
vue-tools
225
2023-12-15T23:14:45.831461
BSD-3-Clause
false
f4f3444cd9176d729dc6b2825afdff6a
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I_V_.cpython-313.pyc
T_S_I_V_.cpython-313.pyc
Other
1,859
0.8
0
0
awesome-app
555
2025-01-19T07:37:49.753641
BSD-3-Clause
false
fcd752e2b8f119fb07d298f421816666
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I__0.cpython-313.pyc
T_S_I__0.cpython-313.pyc
Other
3,637
0.8
0.020833
0
react-lib
175
2024-02-14T21:21:15.686051
MIT
false
bf0b4daa1acbe266b1b52dc058ee062a
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I__1.cpython-313.pyc
T_S_I__1.cpython-313.pyc
Other
6,646
0.8
0
0.028571
node-utils
80
2023-11-11T14:07:47.039770
Apache-2.0
false
e194144812cfa20a5876b4427886fd28
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I__2.cpython-313.pyc
T_S_I__2.cpython-313.pyc
Other
973
0.8
0.055556
0
awesome-app
913
2025-06-06T17:11:41.852531
Apache-2.0
false
52d642f65e3855d699ee7f0d53c1fab6
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I__3.cpython-313.pyc
T_S_I__3.cpython-313.pyc
Other
989
0.8
0
0
react-lib
615
2023-12-16T14:08:28.150129
MIT
false
2bbc2b5c9675358b07aca7eba69bc80e
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_S_I__5.cpython-313.pyc
T_S_I__5.cpython-313.pyc
Other
3,477
0.8
0
0
node-utils
51
2024-09-06T16:57:43.523598
BSD-3-Clause
false
5da95892143f71f165c42f3840b9e834
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\T_T_F_A_.cpython-313.pyc
T_T_F_A_.cpython-313.pyc
Other
806
0.8
0
0
vue-tools
327
2024-09-16T07:59:43.857418
BSD-3-Clause
false
2755999867a3a27b61f69af9fd19c0a7
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\V_A_R_C_.cpython-313.pyc
V_A_R_C_.cpython-313.pyc
Other
688
0.8
0.125
0
python-kit
719
2025-04-18T03:21:14.024462
Apache-2.0
false
6fc339869051422325f9737a2a1fa1e9
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\V_D_M_X_.cpython-313.pyc
V_D_M_X_.cpython-313.pyc
Other
11,265
0.8
0.03876
0
awesome-app
837
2025-06-18T17:55:37.105533
BSD-3-Clause
false
b87e59ea8021f92df9353ff649cd9e3b
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\V_O_R_G_.cpython-313.pyc
V_O_R_G_.cpython-313.pyc
Other
8,501
0.8
0.032258
0
python-kit
957
2025-02-19T19:26:22.467200
GPL-3.0
false
7dd89744091b4b19c9a69020a6f6a6d2
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\V_V_A_R_.cpython-313.pyc
V_V_A_R_.cpython-313.pyc
Other
714
0.8
0.111111
0
react-lib
596
2023-11-17T21:20:59.938281
MIT
false
c30e1d73009bd6c0b77f8838401df0ca
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_a_n_k_r.cpython-313.pyc
_a_n_k_r.cpython-313.pyc
Other
873
0.8
0
0
python-kit
425
2024-05-05T13:29:03.975618
Apache-2.0
false
0970cbc0260640db207ee64014a2acde
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_a_v_a_r.cpython-313.pyc
_a_v_a_r.cpython-313.pyc
Other
10,158
0.95
0.020833
0
awesome-app
936
2024-07-19T17:59:24.772244
BSD-3-Clause
false
092ca56713c869e4bcbc95621dfd69b3
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_b_s_l_n.cpython-313.pyc
_b_s_l_n.cpython-313.pyc
Other
777
0.8
0
0
react-lib
470
2023-08-15T20:04:32.518454
BSD-3-Clause
false
c3e1622c3f70368ae0030ab2eb6499be
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_c_i_d_g.cpython-313.pyc
_c_i_d_g.cpython-313.pyc
Other
1,263
0.8
0.157895
0
python-kit
735
2023-12-12T05:07:31.259571
GPL-3.0
false
142563031d7dbc795775e60139560706
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_c_m_a_p.cpython-313.pyc
_c_m_a_p.cpython-313.pyc
Other
61,229
0.75
0.042169
0.001605
vue-tools
203
2024-01-15T19:20:22.643651
GPL-3.0
false
3b35389c2e84fdb330f6b2bb21e31d42
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_c_v_a_r.cpython-313.pyc
_c_v_a_r.cpython-313.pyc
Other
5,099
0.8
0.021739
0
vue-tools
718
2025-06-22T04:33:37.305691
BSD-3-Clause
false
ce836e4563558d7a34e4e34ca43cd3ca
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_c_v_t.cpython-313.pyc
_c_v_t.cpython-313.pyc
Other
3,472
0.8
0
0
vue-tools
384
2024-12-14T06:17:58.595537
Apache-2.0
false
063d8362c9f45a1a7c422d0e017bcb79
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_f_e_a_t.cpython-313.pyc
_f_e_a_t.cpython-313.pyc
Other
859
0.8
0.090909
0
react-lib
152
2024-11-07T07:13:01.647321
Apache-2.0
false
37c26c1c0df4326492e6e617189bc0a9
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_f_p_g_m.cpython-313.pyc
_f_p_g_m.cpython-313.pyc
Other
2,744
0.95
0.02381
0
node-utils
748
2023-10-25T22:47:38.522157
MIT
false
c5328a4cc22f6e19af56fcaa1d2f566e
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_f_v_a_r.cpython-313.pyc
_f_v_a_r.cpython-313.pyc
Other
13,617
0.8
0
0.007874
react-lib
481
2024-04-09T12:08:01.853683
GPL-3.0
false
17685851fd00c82d931ddac6ea68fe63
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_g_a_s_p.cpython-313.pyc
_g_a_s_p.cpython-313.pyc
Other
3,364
0.8
0.034483
0
react-lib
736
2023-10-04T14:59:35.299461
MIT
false
88b9bb6e3725c9701d35bd107f8c9b49
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_g_c_i_d.cpython-313.pyc
_g_c_i_d.cpython-313.pyc
Other
679
0.8
0
0
awesome-app
224
2025-06-13T02:02:37.630279
Apache-2.0
false
f39e8b05c17b37339aeb9920bb1592c3
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_g_l_y_f.cpython-313.pyc
_g_l_y_f.cpython-313.pyc
Other
95,201
0.75
0.040383
0.011534
node-utils
407
2024-02-19T06:54:02.473404
BSD-3-Clause
false
b1493dfc21b835c91c1c77393d697f9c
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_g_v_a_r.cpython-313.pyc
_g_v_a_r.cpython-313.pyc
Other
14,453
0.8
0.006623
0.014286
awesome-app
122
2024-03-09T06:47:27.754359
BSD-3-Clause
false
4e3a76a28e0309a27669d6c35cbab40a
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_h_d_m_x.cpython-313.pyc
_h_d_m_x.cpython-313.pyc
Other
7,482
0.8
0.014493
0
vue-tools
942
2025-05-27T06:31:19.737693
BSD-3-Clause
false
9f8f104178b18e59f79d9dda738a5133
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_h_e_a_d.cpython-313.pyc
_h_e_a_d.cpython-313.pyc
Other
5,574
0.8
0
0.016949
vue-tools
388
2023-11-04T16:35:02.646859
BSD-3-Clause
false
7ec0695574ed1227c1d598f0867e0843
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_h_h_e_a.cpython-313.pyc
_h_h_e_a.cpython-313.pyc
Other
6,523
0.95
0.027027
0
python-kit
654
2023-12-18T18:17:46.428447
Apache-2.0
false
a41e27cca60012a8ecb56c3c998463a0
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_h_m_t_x.cpython-313.pyc
_h_m_t_x.cpython-313.pyc
Other
7,424
0.8
0.03125
0
react-lib
183
2024-06-08T16:25:56.881083
Apache-2.0
false
fcf90acba8547f3bcbec9c6f6f57717d
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_k_e_r_n.cpython-313.pyc
_k_e_r_n.cpython-313.pyc
Other
14,019
0.8
0.019048
0
awesome-app
510
2025-01-04T13:04:59.040505
Apache-2.0
false
a73f21c87de29aa8d7285233764a2724
\n\n
.venv\Lib\site-packages\fontTools\ttLib\tables\__pycache__\_l_c_a_r.cpython-313.pyc
_l_c_a_r.cpython-313.pyc
Other
788
0.8
0
0
awesome-app
695
2023-11-17T19:13:40.075057
Apache-2.0
false
0f2567cb8d2b4e369d2bdf5db64d537e