text
stringlengths
5
22M
id
stringlengths
12
177
metadata
dict
__index_level_0__
int64
0
1.37k
import os import pytest from azure.quantum import Job from common import QuantumTestBase, DEFAULT_TIMEOUT_SECS from azure.quantum import JobStatus from azure.quantum.job import JobFailedWithResultsError @pytest.mark.live_test class TestMicrosoftElementsDftJob(QuantumTestBase): @pytest.mark.microsoft_elements_dft def test_dft_success(self): dft_input_params = { "tasks": [ { "taskType": "spe", "basisSet": { "name": "def2-svp", "cartesian": False }, "xcFunctional": { "name": "m06-2x", "gridLevel": 4 }, "scf": { "method": "rks", "maxSteps": 100, "convergeThreshold": 1e-8 } } ] } job = self._run_job(dft_input_params) self.assertEqual(job.details.status, JobStatus.SUCCEEDED) results = job.get_results(timeout_secs=DEFAULT_TIMEOUT_SECS) self.assertIsNotNone(results) self.assertIsNotNone(results["results"][0]["return_result"]) @pytest.mark.microsoft_elements_dft def test_dft_failure_invalid_input(self): dft_input_params = { "tasks": [ { "taskType": "invlidTask", "basisSet": { "name": "def2-svp", "cartesian": False }, "xcFunctional": { "name": "m06-2x", "gridLevel": 4 }, "scf": { "method": "rks", "maxSteps": 100, "convergeThreshold": 1e-8 } } ] } job = self._run_job(dft_input_params) self.assertEqual(job.details.status, JobStatus.FAILED) with pytest.raises(RuntimeError): job.get_results(timeout_secs=DEFAULT_TIMEOUT_SECS) @pytest.mark.microsoft_elements_dft def test_dft_failure_algorithm_produces_output(self): dft_input_params = { "tasks": [ { "taskType": "spe", "basisSet": { "name": "def2-svp", "cartesian": False }, "xcFunctional": { "name": "m06-2x", "gridLevel": 4 }, "scf": { "method": "rks", "maxSteps": 1, "convergeThreshold": 1e-8 } } ] } job = self._run_job(dft_input_params) self.assertEqual(job.details.status, JobStatus.FAILED) with pytest.raises(JobFailedWithResultsError) as e: job.get_results(timeout_secs=DEFAULT_TIMEOUT_SECS) self.assertIsNotNone(e.value.get_details()) def _run_job(self, input_params) -> Job: workspace = self.create_workspace() target = workspace.get_targets("microsoft.dft") dir_path = os.path.dirname(os.path.realpath(__file__)) with open(f"{dir_path}/molecule.xyz", "r") as file: job = target.submit(input_data=file.read(), input_params=input_params) job.wait_until_completed(timeout_secs=DEFAULT_TIMEOUT_SECS) job.refresh() return job
azure-quantum-python/azure-quantum/tests/unit/test_microsoft_elements_dft.py/0
{ "file_path": "azure-quantum-python/azure-quantum/tests/unit/test_microsoft_elements_dft.py", "repo_id": "azure-quantum-python", "token_count": 1552 }
411
<jupyter_start><jupyter_text>πŸ‘‹πŸŒ Hello, world: Submit a Qiskit job to QuantinuumIn this notebook, we'll review the basics of Azure Quantum by submitting a simple *job*, or quantum program, to [Quantinuum](https://aka.ms/AQ/Quantinuum/Documentation). We will use [Qiskit](https://qiskit.org/) to express the quantum job. Submit a simple job to Quantinuum using Azure QuantumAzure Quantum provides several ways to express quantum programs. In this example we are using Qiskit, but note that Q and Cirq are also supported. All code in this example will be written in Python.Let's begin. When you see a code block, hover over it and click the triangle play-button to execute it. To avoid any compilation issues, this should be done in order from top to bottom. 1. Connect to the Azure Quantum workspaceTo connect to the Azure Quantum service, construct an instance of the `AzureQuantumProvider`. Note that it's imported from `azure.quantum.qiskit`.<jupyter_code>from azure.quantum import Workspace from azure.quantum.qiskit import AzureQuantumProvider workspace = Workspace( resource_id = "", location = "", ) provider = AzureQuantumProvider(workspace)<jupyter_output><empty_output><jupyter_text>Let's see what providers and targets are enabled in this workspace with the following command:<jupyter_code>from qiskit import QuantumCircuit from qiskit.visualization import plot_histogram print("This workspace's targets:") for backend in provider.backends(): print("- " + backend.name())<jupyter_output>This workspace's targets: - ionq.qpu - ionq.simulator - quantinuum.qpu.h1-1 - quantinuum.sim.h1-1sc - quantinuum.sim.h1-1e<jupyter_text>❕ Do you see `quantinuum.sim.h1-1sc` in your list of targets? If so, you're ready to keep going.Don't see it? You may need to add Quantinuum to your workspace to run this sample. Navigate to the **Providers** page in the portal and click **+Add** to add the Quantinuum provider. Don't worry, there's a free credits plan available. Quantinuum: The quantum providerAzure Quantum partners with third-party companies to deliver solutions to quantum jobs. These company offerings are called *providers*. Each provider can offer multiple *targets* with different capabilities. See the table below for Quantinuum's H1-1 device targets.| Target name | Target ID | Number of qubits | Description|| --- | ---| ---|---|H1-1 Syntax Checker | `quantinuum.sim.h1-1sc` | 20 | Quantinuum's H1-1 Syntax Checker. This will return all zeros in place of actual or simulated results. Use this to validate quantum programs against the H1-1 compiler before submitting to hardware or emulators on Quantinuum's platform. Free of cost. |H2-1 Syntax Checker | `quantinuum.sim.h2-1sc` | 32 | Quantinuum's H2-1 Syntax Checker. This will return all zeros in place of actual or simulated results. Use this to validate quantum programs against the H2-1 compiler before submitting to hardware or emulators on Quantinuum's platform. Free of cost. |H1-1 Emulator | `quantinuum.sim.h1-1e` | 20 | Quantinuum's H1-1 Emulator. Uses a realistic physical model and noise model of H1-1. |H2-1 Emulator | `quantinuum.sim.h2-1e` | 32 | Quantinuum's H2-1 Emulator. Uses a realistic physical model and noise model of H2-1. |H1-1 | `quantinuum.qpu.h1-1` | 20 | Quantinuum's H1-1 trapped ion device. |H2-1 | `quantinuum.qpu.h2-1` | 32 | Quantinuum's H2-1 trapped ion device. |For this example, we will use `quantinuum.sim.h1-1sc` to avoid any costs or credit usage. If you wish to emulate or run the actual circuit, you may replace all instances of `quantinuum.sim.h1-1sc` in subsequent code cells with one of the other values in the table above, but please note any costs incurred. To learn more about Quantinuum's targets, check out our [documentation](https://aka.ms/AQ/Quantinuum/Documentation). 2. Build the quantum programLet's create a simple Qiskit circuit to run.<jupyter_code># Create a quantum circuit acting on a single qubit circuit = QuantumCircuit(1,1) circuit.name = "Single qubit random" circuit.h(0) circuit.measure(0, 0) # Print out the circuit circuit.draw()<jupyter_output><empty_output><jupyter_text>The circuit you built is a simple quantum random bit generator. With Quantinuum's Syntax Checker, we will be able to confirm that the circuit is able to be run on the Quantinuum H1-1 emulator and hardware. 3. Submit the quantum program to Quantinuum<jupyter_code># Create an object that represents Quantinuum's Syntax Checker target, "quantinuum.sim.h1-1sc". # Note that any target you have enabled in this workspace can # be used here. Azure Quantum makes it extremely easy to submit # the same quantum program to different providers. quantinuum_api_val_backend = provider.get_backend("quantinuum.sim.h1-1sc") # Using the Quantinuum target, call "run" to submit the job. We'll # use 100 shots (simulated runs). job = quantinuum_api_val_backend.run(circuit, shots=100) print("Job id:", job.id())<jupyter_output>Job id: cc4ff1e7-0213-11ed-bcce-f42679f0b639<jupyter_text>The job ID can be used to retrieve the results later using the [get_job method](https://learn.microsoft.com/python/azure-quantum/azure.quantum.workspace?azure-quantum-workspace-get-job) or by viewing it under the **Job management** section of the portal. 4. Obtain the job resultsThis may take a minute or so ⏳. Your job will be packaged and sent to Quantinuum, where it will wait its turn to be run.<jupyter_code>result = job.result() # The result object is native to the Qiskit package, so we can use Qiskit's tools to print the result as a histogram. # For the syntax check, we expect to see all zeroes. plot_histogram(result.get_counts(circuit), title="Result", number_to_keep=2)<jupyter_output>Job Status: job has successfully run<jupyter_text>**See the histogram above? Congratulations, you've submitted a job with Azure Quantum! πŸ‘** 5. Estimate costsTo estimate the costs of running this program on a simulator or hardware, you can use the `backend.estimate_cost` method.<jupyter_code>backend = provider.get_backend("quantinuum.qpu.h1-1") cost = backend.estimate_cost(circuit, shots=100) print(f"Estimated cost: {cost.estimated_total} {cost.currency_code}")<jupyter_output>Estimated cost: 5.12 HQC
azure-quantum-python/samples/hello-world/HW-quantinuum-qiskit.ipynb/0
{ "file_path": "azure-quantum-python/samples/hello-world/HW-quantinuum-qiskit.ipynb", "repo_id": "azure-quantum-python", "token_count": 1876 }
412
<jupyter_start><jupyter_text>Simulate the ground state of a Hydrogen molecule using Variational Quantum Eigensolver (VQE)In this notebook, you'll learn how to run VQE for a $H_{2}$ molecule using Qiskit on an Azure Quantum backend.VQE is a variational algorithm for quantum chemistry that uses an optimization loop to minimize a cost function. The cost function is an energy evaluation $E = \left\langle\psi|H|\psi\right\rangle$ where $|\psi (\theta)\rangle$ is a parametric trial state that estimates the ground state of the molecule. For each evaluation, we modify the trial state until the energy reaches a minimum.For more information about running VQE using Qiskit, see: [Qiskit Textbook - VQE Molecules](https://qiskit.org/textbook/ch-applications/vqe-molecules.htmlimplementationnoisy).To read more about the optimization method used in this example, see [Wikipedia - SPSA](https://en.wikipedia.org/wiki/Simultaneous_perturbation_stochastic_approximation). Define problemYou will use the `PySCFDriver` to define the geometry of the $H_2$ molecule and generate the input for the VQE run. Alternatively, you could also use an `FCIDUMP` file as input. More information about the FCIDUMP file format is [here](https://www.sciencedirect.com/science/article/abs/pii/0010465589900337).The [Jordan-Wigner transformation](https://en.wikipedia.org/wiki/Jordan%E2%80%93Wigner_transformation) is specified as the `QubitConverter`to use.<jupyter_code>from qiskit_nature.second_q.drivers import PySCFDriver from qiskit_nature.second_q.formats import fcidump_to_problem from qiskit_nature.second_q.formats.fcidump import FCIDump from qiskit_nature.second_q.mappers import JordanWignerMapper, QubitConverter from qiskit_nature.units import DistanceUnit def get_problem(): # Replace with get_problem_fcidump() to use the FCIDUMP file as input. return get_problem_pyscf(); def get_problem_pyscf(): driver = PySCFDriver( atom="H 0 0 0; H 0 0 0.735", basis="sto3g", charge=0, spin=0, unit=DistanceUnit.ANGSTROM, ) return driver.run() def get_problem_fcidump(): import requests url = 'https://aka.ms/fcidump/vqe/h2-2e-2o' r = requests.get(url, allow_redirects=True) open('vqe_h2.fcidump', 'wb').write(r.content) return fcidump_to_problem(FCIDump.from_file("vqe_h2.fcidump")) def get_qubit_converter(): return QubitConverter(JordanWignerMapper(), two_qubit_reduction=True, z2symmetry_reduction='auto')<jupyter_output><empty_output><jupyter_text>Exact resultFirst, let's compute the exact result that could be used to compare with the results of VQE later on.<jupyter_code>from qiskit_nature.second_q.algorithms import NumPyMinimumEigensolverFactory from qiskit_nature.second_q.algorithms import GroundStateEigensolver problem = get_problem() qubit_converter = get_qubit_converter() exact_solver = NumPyMinimumEigensolverFactory() calc = GroundStateEigensolver(qubit_converter, exact_solver) result = calc.solve(problem) print("Exact result:\n") print(result.groundenergy)<jupyter_output><empty_output><jupyter_text>Run on Qiskit's Local Aer Simulator without NoiseHere, you will simulate the VQE run locally using the noiseless Aer simulator. Here the maximum number of iterations of the optimizer is set to 100.<jupyter_code>from qiskit.algorithms.optimizers import SPSA from qiskit_aer.primitives import Estimator as AerEstimator from qiskit_nature.second_q.algorithms import GroundStateEigensolver, VQEUCCFactory from qiskit_nature.second_q.circuit.library import UCCSD problem = get_problem() qubit_converter = get_qubit_converter() spsa_optimizer=SPSA(maxiter=100) noiseless_estimator = AerEstimator( run_options={ "shots": 1000 } ) vqe_solver = VQEUCCFactory(estimator=noiseless_estimator, ansatz=UCCSD(), optimizer=spsa_optimizer) calc = GroundStateEigensolver(qubit_converter, vqe_solver) result = calc.solve(problem) print("Local AER simulator result:\n") print(result.groundenergy)<jupyter_output><empty_output><jupyter_text>Run on an Azure Quantum backendNow, you will run the same problem on a backend of your choice through Azure Quantum. Here the maximum number of iterations of the optimizer is set to 50.<jupyter_code>from azure.quantum import Workspace from azure.quantum.qiskit import AzureQuantumProvider workspace = Workspace( resource_id = "", location = "", ) # Connect to the Azure Quantum workspace via a Qiskit provider provider = AzureQuantumProvider(workspace) ionq_sim = provider.get_backend('ionq.simulator') quantinuum_sim = provider.get_backend('quantinuum.sim.h1-1e') rigetti_sim = provider.get_backend('rigetti.sim.qvm') # Set the backend you want to use here. # WARNING: Quantinuum simulator usage is not unlimited. Running this sample against it could consume a significant amount of your eHQC quota. backend_to_use = ionq_sim<jupyter_output><empty_output><jupyter_text>You will now kickoff the VQE run on the selected backend through Azure Quantum. Since this will trigger several jobs, a `session` is used to group them together into a single logical entity. IMPORTANT NOTES !!1. This cell will take about 20 minutes to run on the IonQ simulator for max_iter=50. It generates around 300 jobs. The time can vary depending on the backend queue times. Running with max_iter=50 may not be sufficient for the results to converge. You could consider increasing the number of iterations to 100 to give a more accurate result, but please be aware of the increased running times for the cell.1. If you are an Azure Quantum credits user, you may not have enough credits to run this sample on certain backends.1. **If you run this against a QPU hardware backend instead of a simulator, you will likely incur a large cost or consume a large number of your alloted credits.**1. You may lose results if you lose network connectivity while the cell is running. It may be better to download the notebook and run it locally for better reliability.1. If the `calc.solve` fails, one or more jobs may have failed. If so, you can find the session under `Job management` in your workspace, click on it to open the Session view and then click on a Job that failed to find the reason for failure.<jupyter_code>from qiskit.algorithms.optimizers import SPSA from qiskit_nature.second_q.algorithms import GroundStateEigensolver, VQEUCCFactory from qiskit_nature.second_q.circuit.library import UCCSD from qiskit.primitives.backend_estimator import BackendEstimator problem = get_problem() qubit_converter = get_qubit_converter() spsa_optimizer=SPSA(maxiter=50) backend_estimator = BackendEstimator(backend=backend_to_use, options={ "shots": 1000 }) vqe_solver = VQEUCCFactory(estimator=backend_estimator, ansatz=UCCSD(), optimizer=spsa_optimizer) calc = GroundStateEigensolver(qubit_converter, vqe_solver) # Wrap the call to solve in a session "with" block so that all jobs submitted by it are grouped together. # Learn more about Interactive Hybrid and the Session API at https://aka.ms/AQ/Hybrid/Sessions/Docs with backend_to_use.open_session(name="VQE H2") as session: result = calc.solve(problem) print("AzureQuantum " + backend_to_use.name() + " result:\n") print(result.groundenergy)<jupyter_output><empty_output>
azure-quantum-python/samples/vqe/VQE-qiskit-hydrogen-session.ipynb/0
{ "file_path": "azure-quantum-python/samples/vqe/VQE-qiskit-hydrogen-session.ipynb", "repo_id": "azure-quantum-python", "token_count": 2321 }
413
{ "env": { "node": true, "es2021": true }, "extends": [ "eslint:recommended", "plugin:@typescript-eslint/recommended", "plugin:prettier/recommended", "plugin:react/recommended", "plugin:import/recommended", "plugin:import/typescript" ], "parserOptions": { "ecmaVersion": "latest", "sourceType": "module", "project": [ "./tsconfig.json" ] }, "plugins": [ "react", "@typescript-eslint", "prettier", "simple-import-sort" ], "ignorePatterns": [ "dist/main.js", "**/*.config.js" ], "overrides": [ // override "simple-import-sort" config { "files": [ "*.js", "*.jsx", "*.ts", "*.tsx" ], "rules": { "simple-import-sort/imports": [ "error", { "groups": [ // Packages `react` related packages come first. [ "^react", "^@?\\w" ], // Internal packages. [ "^(@|components)(/.*|$)" ], // Side effect imports. [ "^\\u0000" ], // Parent imports. Put `..` last. [ "^\\.\\.(?!/?$)", "^\\.\\./?$" ], // Other relative imports. Put same-folder imports and `.` last. [ "^\\./(?=.*/)(?!/?$)", "^\\.(?!/?$)", "^\\./?$" ], // Style imports. [ "^.+\\.?(css)$" ] ] } ] } } ], "rules": { "import/no-named-as-default-member": "off", "sort-imports": [ "error", { "ignoreCase": false, "ignoreDeclarationSort": true, "ignoreMemberSort": false, "memberSyntaxSortOrder": [ "none", "all", "multiple", "single" ], "allowSeparatedGroups": true } ], "import/no-unresolved": "error", "simple-import-sort/imports": "error", "simple-import-sort/exports": "error" }, "settings": { "react": { "version": "detect" }, "import/resolver": { "typescript": { "project": "./tsconfig.json" } } } }
azure-quantum-python/visualization/react-lib/.eslintrc.json/0
{ "file_path": "azure-quantum-python/visualization/react-lib/.eslintrc.json", "repo_id": "azure-quantum-python", "token_count": 2216 }
414
/*------------------------------------ Copyright (c) Microsoft Corporation. Licensed under the MIT License. All rights reserved. ------------------------------------ */ import * as React from "react"; import { DetailsList, IColumn, IDetailsGroupRenderProps, IDetailsList, IGroup, SelectionMode, } from "@fluentui/react"; import { getTheme, mergeStyleSets } from "@fluentui/react/lib/Styling"; const ROW_HEIGHT = 42; // from DEFAULT_ROW_HEIGHTS in DetailsRow.styles.ts const GROUP_HEADER_AND_FOOTER_SPACING = 8; const GROUP_HEADER_AND_FOOTER_BORDER_WIDTH = 1; const GROUP_HEADER_HEIGHT = 95; const GROUP_FOOTER_HEIGHT: number = GROUP_HEADER_AND_FOOTER_SPACING * 4 + GROUP_HEADER_AND_FOOTER_BORDER_WIDTH * 2; const theme = getTheme(); const classNames = mergeStyleSets({ headerAndFooter: { borderTop: `${GROUP_HEADER_AND_FOOTER_BORDER_WIDTH}px solid ${theme.palette.neutralQuaternary}`, borderBottom: `${GROUP_HEADER_AND_FOOTER_BORDER_WIDTH}px solid ${theme.palette.neutralQuaternary}`, padding: GROUP_HEADER_AND_FOOTER_SPACING, margin: `${GROUP_HEADER_AND_FOOTER_SPACING}px 0`, background: theme.palette.neutralLighterAlt, // Overlay the sizer bars position: "relative", zIndex: 100, }, headerTitle: [ theme.fonts.large, { padding: "4px 0", }, ], }); export interface IItem { name: string; value: string; description: string; } export interface IState { items: IItem[]; groups: IGroup[]; showItemIndexInView: boolean; isCompactMode: boolean; } export class TableComponent extends React.Component< { state: IState; columns: IColumn[] }, IState > { private _root = React.createRef<IDetailsList>(); private _columns: IColumn[]; constructor(props: { state: IState; columns: IColumn[] }) { super(props); this.state = props.state; this._columns = props.columns; } public componentWillUnmount() { if (this.state.showItemIndexInView) { const itemIndexInView = this._root.current!.getStartItemIndexInView(); alert("first item index that was in view: " + itemIndexInView); } } public render() { const { items, groups } = this.state; return ( <div> <DetailsList componentRef={this._root} items={items} groups={groups} columns={this._columns} groupProps={{ onRenderHeader: this._onRenderGroupHeader, showEmptyGroups: false, }} compact={true} indentWidth={4} getGroupHeight={this._getGroupHeight} selectionMode={SelectionMode.none} isHeaderVisible={false} /> </div> ); } private _onRenderGroupHeader: IDetailsGroupRenderProps["onRenderHeader"] = ( props, ) => { if (props) { return ( <div className={classNames.headerAndFooter}> <div className={classNames.headerTitle}>{`${props.group!.name}`}</div> </div> ); } return null; }; private _getGroupTotalRowHeight = (group: IGroup): number => { return group.isCollapsed ? 0 : ROW_HEIGHT * group.count; }; private _getGroupHeight = (group: IGroup): number => { return ( GROUP_HEADER_HEIGHT + GROUP_FOOTER_HEIGHT + this._getGroupTotalRowHeight(group) ); }; }
azure-quantum-python/visualization/react-lib/src/components/table/Table.tsx/0
{ "file_path": "azure-quantum-python/visualization/react-lib/src/components/table/Table.tsx", "repo_id": "azure-quantum-python", "token_count": 1328 }
415
BiString ======== .. js:autoclass:: BiString :members:
bistring/docs/JavaScript/BiString.rst/0
{ "file_path": "bistring/docs/JavaScript/BiString.rst", "repo_id": "bistring", "token_count": 23 }
416
@ECHO OFF pushd %~dp0 REM Command file for Sphinx documentation if "%SPHINXBUILD%" == "" ( set SPHINXBUILD=sphinx-build ) set SOURCEDIR=. set BUILDDIR=_build if "%1" == "" goto help %SPHINXBUILD% >NUL 2>NUL if errorlevel 9009 ( echo. echo.The 'sphinx-build' command was not found. Make sure you have Sphinx echo.installed, then set the SPHINXBUILD environment variable to point echo.to the full path of the 'sphinx-build' executable. Alternatively you echo.may add the Sphinx directory to PATH. echo. echo.If you don't have Sphinx installed, grab it from echo.http://sphinx-doc.org/ exit /b 1 ) %SPHINXBUILD% -M %1 %SOURCEDIR% %BUILDDIR% %SPHINXOPTS% %O% goto end :help %SPHINXBUILD% -M help %SOURCEDIR% %BUILDDIR% %SPHINXOPTS% %O% :end popd
bistring/docs/make.bat/0
{ "file_path": "bistring/docs/make.bat", "repo_id": "bistring", "token_count": 315 }
417
/*! * Copyright (c) Microsoft Corporation. All rights reserved. * Licensed under the MIT license. */ import BiString, { AnyString } from "./bistring"; export type Replacer = (match: string, ...args: any[]) => string | BiString; export type MatchReplacer = (match: RegExpMatchArray) => string | BiString; /** * A replacement function that behaves the same as a fixed string supplied to :js:meth:`String.prototype.replace`. */ function expandReplacement(replacement: string, match: RegExpMatchArray): string { const index = match.index!; const input = match.input!; let result = ""; for (let i = 0; i < replacement.length; ++i) { const c = replacement[i]; if (c === "$" && i + 1 < replacement.length) { let n = replacement[++i]; switch (n) { case "$": result += "$"; continue; case "&": result += match[0]; continue; case "`": result += input.slice(0, index); continue; case "'": result += input.slice(index + match[0].length); continue; } if ("0123456789".includes(n)) { const n2 = replacement[i + 1]; if ("0123456789".includes(n2)) { n += n2; ++i; } const index = parseInt(n, 10); if (index >= 1 && index < match.length) { result += match[index]; continue; } } result += c + n; } else { result += c; } } return result; } /** * Unify the second argument to :js:meth:`String.prototype.replace` into a replacement function with a nicer signature. */ export function normalizeReplacer(replacement: string | Replacer): MatchReplacer { if (typeof(replacement) === "string") { return match => expandReplacement(replacement, match); } else { const replacer: (...args: any[]) => AnyString = replacement; return match => replacer(...match, match.index, match.input); } } /** * Check if a regexp is stateful (can start from arbitrary offsets). */ export function isStatefulRegExp(regexp: RegExp) { return regexp.global || regexp.sticky; } /** * Make a defensive copy of a regular expression. */ export function cloneRegExp(regexp: RegExp, addFlags: string = "", removeFlags: string = "") { let flags = ""; for (const flag of regexp.flags) { if (!removeFlags.includes(flag)) { flags += flag; } } for (const flag of addFlags) { if (!flags.includes(flag)) { flags += flag; } } return new RegExp(regexp.source, flags); }
bistring/js/src/regex.ts/0
{ "file_path": "bistring/js/src/regex.ts", "repo_id": "bistring", "token_count": 1320 }
418
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT license. __all__ = ['BistrBuilder'] from typing import Iterable, List, Match, Optional from ._alignment import Alignment from ._bistr import bistr, String from ._regex import compile_regex, expand_template from ._typing import BiIndex, Regex, Replacement class BistrBuilder: r""" Bidirectionally transformed string builer. A `BistrBuilder` builds a transformed version of a source string iteratively. Each builder has an immutable original string, a current string, and the in-progress modified string, with alignments between each. For example: .. code-block:: text original: |The| |quick,| |brown| |🦊| |jumps| |over| |the| |lazy| |🐢| | | | | | | | \ \ \ \ \ \ \ \ \ \ \ current: |The| |quick,| |brown| |fox| |jumps| |over| |the| |lazy| |dog| | | | / / / modified: |the| |quick| |brown| ... The modified string is built in pieces by calling :meth:`replace` to change `n` characters of the current string into new ones in the modified string. Convenience methods like :meth:`skip`, :meth:`insert`, and :meth:`discard` are implemented on top of this basic primitive. >>> b = BistrBuilder('The quick, brown 🦊 jumps over the lazy 🐢') >>> b.skip(17) >>> b.peek(1) '🦊' >>> b.replace(1, 'fox') >>> b.skip(21) >>> b.peek(1) '🐢' >>> b.replace(1, 'dog') >>> b.is_complete True >>> b.rewind() >>> b.peek(3) 'The' >>> b.replace(3, 'the') >>> b.skip(1) >>> b.peek(6) 'quick,' >>> b.replace(6, 'quick') >>> b.skip_rest() >>> s = b.build() >>> s.modified 'the quick brown fox jumps over the lazy dog' """ _original: bistr _modified: List[str] _alignment: List[BiIndex] _opos: int _mpos: int def __init__(self, original: String): """ :param original: The string to start from. """ self._original = bistr(original) self._modified = [] self._alignment = [(0, 0)] self._opos = 0 self._mpos = 0 @property def original(self) -> str: """ The original string being modified. """ return self._original.original @property def current(self) -> str: """ The current string before modifications. """ return self._original.modified @property def modified(self) -> str: """ The modified string as built so far. """ return ''.join(self._modified) @property def alignment(self) -> Alignment: """ The alignment built so far from self.current to self.modified. """ return Alignment(self._alignment) @property def position(self) -> int: """ The position of the builder in self.current. """ return self._opos @property def remaining(self) -> int: """ The number of characters of the current string left to process. """ return len(self.current) - self._opos @property def is_complete(self) -> bool: """ Whether we've completely processed the string. In other words, whether the modified string aligns with the end of the current string. """ return self.remaining == 0 def peek(self, n: int) -> str: """ Peek at the next `n` characters of the original string. """ return self.current[self._opos:self._opos+n] def _advance(self, ocount: int, mcount: int) -> None: self._opos += ocount self._mpos += mcount if ocount > 0 or mcount > 0: self._alignment.append((self._opos, self._mpos)) def skip(self, n: int) -> None: """ Skip the next `n` characters, copying them unchanged. """ if n > 0: self._modified.append(self.peek(n)) for i in range(n): self._advance(1, 1) def skip_rest(self) -> None: """ Skip the rest of the string, copying it unchanged. """ self.skip(self.remaining) def insert(self, string: str) -> None: """ Insert a substring into the string. """ self.replace(0, string) def discard(self, n: int) -> None: """ Discard a portion of the original string. """ self.replace(n, '') def discard_rest(self) -> None: """ Discard the rest of the original string. """ self.discard(self.remaining) def replace(self, n: int, repl: str) -> None: """ Replace the next `n` characters with a new string. """ if len(repl) > 0: self._modified.append(repl) self._advance(n, len(repl)) def append(self, bs: bistr) -> None: """ Append a bistr. The original value of the bistr must match the current string being processed. """ if bs.original != self.peek(len(bs.original)): raise ValueError("bistr doesn't match the current string") self._modified.append(bs.modified) for (o0, m0), (o1, m1) in zip(bs.alignment, bs.alignment[1:]): self._advance(o1 - o0, m1 - m0) def _match(self, regex: Regex) -> Optional[Match[str]]: pattern = compile_regex(regex) return pattern.match(self.current, pos=self._opos) def _search(self, regex: Regex) -> Optional[Match[str]]: pattern = compile_regex(regex) return pattern.search(self.current, pos=self._opos) def _finditer(self, regex: Regex) -> Iterable[Match[str]]: pattern = compile_regex(regex) return pattern.finditer(self.current, pos=self._opos) def skip_match(self, regex: Regex) -> bool: """ Skip a substring matching a regex, copying it unchanged. :param regex: The (possibly compiled) regular expression to match. :returns: Whether a match was found. """ match = self._match(regex) if match: self.skip(match.end() - match.start()) return True else: return False def discard_match(self, regex: Regex) -> bool: """ Discard a substring that matches a regex. :param regex: The (possibly compiled) regular expression to match. :returns: Whether a match was found. """ match = self._match(regex) if match: self.discard(match.end() - match.start()) return True else: return False def replace_match(self, regex: Regex, repl: Replacement) -> bool: """ Replace a substring that matches a regex. :param regex: The (possibly compiled) regular expression to match. :param repl: The replacement to use. Can be a string, which is interpreted as in :meth:`re.Match.expand`, or a `callable`, which will receive each match and return the replacement string. :returns: Whether a match was found. """ match = self._match(regex) if match: self.replace(match.end() - match.start(), expand_template(match, repl)) return True else: return False def replace_next(self, regex: Regex, repl: Replacement) -> bool: """ Replace the next occurence of a regex. :param regex: The (possibly compiled) regular expression to match. :param repl: The replacement to use. :returns: Whether a match was found. """ match = self._search(regex) if match: self.skip(match.start() - self._opos) self.replace(match.end() - match.start(), expand_template(match, repl)) return True else: return False def replace_all(self, regex: Regex, repl: Replacement) -> None: """ Replace all occurences of a regex. :param regex: The (possibly compiled) regular expression to match. :param repl: The replacement to use. """ for match in self._finditer(regex): self.skip(match.start() - self._opos) self.replace(match.end() - match.start(), expand_template(match, repl)) self.skip_rest() def build(self) -> bistr: """ Build the `bistr`. :returns: A `bistr` from the original string to the new modified string. :raises: :class:`ValueError` if the modified string is not completely built yet. """ if not self.is_complete: raise ValueError(f'The string is not completely built yet ({self.remaining} characters remaining)') alignment = self._original.alignment.compose(self.alignment) return bistr(self.original, self.modified, alignment) def rewind(self) -> None: """ Reset this builder to apply another transformation. :raises: :class:`ValueError` if the modified string is not completely built yet. """ self._original = self.build() self._modified = [] self._alignment = [(0, 0)] self._opos = 0 self._mpos = 0
bistring/python/bistring/_builder.py/0
{ "file_path": "bistring/python/bistring/_builder.py", "repo_id": "bistring", "token_count": 4251 }
419
{ "libraries/botbuilder-azure/tests/test_cosmos_storage.py": true, "libraries/botframework-connector/tests/test_attachments.py": true, "libraries/botframework-connector/tests/test_attachments_async.py": true, "libraries/botframework-connector/tests/test_conversations.py": true, "libraries/botframework-connector/tests/test_conversations_async.py": true }
botbuilder-python/.cache/v/cache/lastfailed/0
{ "file_path": "botbuilder-python/.cache/v/cache/lastfailed", "repo_id": "botbuilder-python", "token_count": 127 }
420
# python-generator-botbuilder Cookiecutter generators for [Bot Framework v4](https://dev.botframework.com). Will let you quickly set up a conversational AI bot using core AI capabilities. ## About `python-generator-botbuilder` will help you build new conversational AI bots using the [Bot Framework v4](https://dev.botframework.com). ## Templates The generator supports three different template options. The table below can help guide which template is right for you. | Template | Description | | ---------- | --------- | | Echo&nbsp;Bot | A good template if you want a little more than "Hello World!", but not much more. This template handles the very basics of sending messages to a bot, and having the bot process the messages by repeating them back to the user. This template produces a bot that simply "echoes" back to the user anything the user says to the bot. | | Core&nbsp;Bot | Our most advanced template, the Core template provides 6 core features every bot is likely to have. This template covers the core features of a Conversational-AI bot using [LUIS](https://www.luis.ai). See the **Core Bot Features** table below for more details. | | Empty&nbsp;Bot | A good template if you are familiar with Bot Framework v4, and simply want a basic skeleton project. Also a good option if you want to take sample code from the documentation and paste it into a minimal bot in order to learn. | ### How to Choose a Template | Template | When This Template is a Good Choice | | -------- | -------- | | Echo&nbsp;Bot | You are new to Bot Framework v4 and want a working bot with minimal features. | | Core&nbsp;Bot | You understand some of the core concepts of Bot Framework v4 and are beyond the concepts introduced in the Echo Bot template. You're familiar with or are ready to learn concepts such as language understanding using LUIS, managing multi-turn conversations with Dialogs, handling user initiated Dialog interruptions, and using Adaptive Cards to welcome your users. | | Empty&nbsp;Bot | You are a seasoned Bot Framework v4 developer. You've built bots before, and want the minimum skeleton of a bot. | ### Template Overview #### Echo Bot Template The Echo Bot template is slightly more than the a classic "Hello World!" example, but not by much. This template shows the basic structure of a bot, how a bot recieves messages from a user, and how a bot sends messages to a user. The bot will "echo" back to the user, what the user says to the bot. It is a good choice for first time, new to Bot Framework v4 developers. #### Core Bot Template The Core Bot template consists of set of core features most every bot is likely to have. Building off of the core message processing features found in the Echo Bot template, this template adds a number of more sophisticated features. The table below lists these features and provides links to additional documentation. | Core&nbsp;Bot&nbsp;Features | Description | | ------------------ | ----------- | | [Send and receive messages](https://docs.microsoft.com/azure/bot-service/bot-builder-howto-send-messages?view=azure-bot-service-4.0) | The primary way your bot will communicate with users, and likewise receive communication, is through message activities. Some messages may simply consist of plain text, while others may contain richer content such as cards or attachments. | | [Proactive messaging](https://docs.microsoft.com/azure/bot-service/bot-builder-howto-proactive-message?view=azure-bot-service-4.0) using [Adaptive Cards](https://docs.microsoft.com/azure/bot-service/bot-builder-send-welcome-message?view=azure-bot-service-4.0?#using-adaptive-card-greeting) | The primary goal when creating any bot is to engage your user in a meaningful conversation. One of the best ways to achieve this goal is to ensure that from the moment a user first connects to your bot, they understand your bot’s main purpose and capabilities. We refer to this as "welcoming the user." The Core template uses an [Adaptive Card](http://adaptivecards.io) to implement this behavior. | | [Language understanding using LUIS](https://docs.microsoft.com/azure/bot-service/bot-builder-howto-v4-luis?view=azure-bot-service-4.0) | The ability to understand what your user means conversationally and contextually can be a difficult task, but can provide your bot a more natural conversation feel. Language Understanding, called LUIS, enables you to do just that so that your bot can recognize the intent of user messages, allow for more natural language from your user, and better direct the conversation flow. | | [Multi-turn conversation support using Dialogs](https://docs.microsoft.com/azure/bot-service/bot-builder-concept-dialog?view=azure-bot-service-4.0) | The ability to manage conversations is an important part of the bot/user interation. Bot Framework introduces the concept of a Dialog to handle this conversational pattern. Dialog objects process inbound Activities and generate outbound responses. The business logic of the bot runs either directly or indirectly within Dialog classes. | | [Managing conversation state](https://docs.microsoft.com/azure/bot-service/bot-builder-howto-v4-state?view=azure-bot-service-4.0) | A key to good bot design is to track the context of a conversation, so that your bot remembers things like the answers to previous questions. | | [How to handle user-initiated interruptions](https://docs.microsoft.com/azure/bot-service/bot-builder-howto-handle-user-interrupt?view=azure-bot-service-4.0) | While you may think that your users will follow your defined conversation flow step by step, chances are good that they will change their minds or ask a question in the middle of the process instead of answering the question. Handling interruptions means making sure your bot is prepared to handle situations like this. | | [How to unit test a bot](https://aka.ms/cs-unit-test-docs) | Optionally, the Core Bot template can generate corresponding unit tests that shows how to use the testing framework introduced in Bot Framework version 4.5. Selecting this option provides a complete set of units tests for Core Bot. It shows how to write unit tests to test the various features of Core Bot. To add the Core Bot unit tests, run the generator and answer `yes` when prompted. See below for an example of how to do this from the command line. | #### Empty Bot Template The Empty Bot template is the minimal skeleton code for a bot. It provides a stub `on_turn` handler but does not perform any actions. If you are experienced writing bots with Bot Framework v4 and want the minimum scaffolding, the Empty template is for you. ## Features by Template | Feature | Empty&nbsp;Bot | Echo&nbsp;Bot | Core&nbsp;Bot* | | --------- | :-----: | :-----: | :-----: | | Generate code in Python | X | X | X | | Support local development and testing using the [Bot Framework Emulator v4](https://www.github.com/microsoft/botframework-emulator) | X | X | X | | Core bot message processing | | X | X | | Deploy your bot to Microsoft Azure | | Pending | Pending | | Welcome new users using Adaptive Card technology | | | X | | Support AI-based greetings using [LUIS](https://www.luis.ai) | | | X | | Use Dialogs to manage more in-depth conversations | | | X | | Manage conversation state | | | X | | Handle user interruptions | | | X | | Unit test a bot using Bot Framework Testing framework (optional) | | | X | *Core Bot template is a work in progress landing soon. ## Installation 1. Install [cookiecutter](https://github.com/cookiecutter/cookiecutter) using [pip](https://pip.pypa.io/en/stable/) (we assume you have pre-installed [python 3](https://www.python.org/downloads/)). ```bash pip install cookiecutter ``` 2. Verify that cookiecutter has been installed correctly by typing the following into your console: ```bash cookiecutter --help ``` ## Usage ### Creating a New Bot Project To create an Echo Bot project: ```bash cookiecutter https://github.com/microsoft/botbuilder-python/releases/download/Templates/echo.zip ``` To create a Core Bot project: ```bash cookiecutter https://github.com/microsoft/botbuilder-python/releases/download/Templates/core.zip ``` To create an Empty Bot project: ```bash cookiecutter https://github.com/microsoft/botbuilder-python/releases/download/Templates/empty.zip ``` When the generator is launched, it will prompt for the information required to create a new bot. ### Generator Command Line Options and Arguments Cookiecutter supports a set of pre-defined command line options, the complete list with descriptions is available [here](https://cookiecutter.readthedocs.io/en/0.9.1/advanced_usage.html#command-line-options). Each generator can recieve a series of named arguments to pre-seed the prompt default value. If the `--no-input` option flag is send, these named arguments will be the default values for the template. | Named&nbsp;argument | Description | | ------------------- | ----------- | | project_name | The name given to the bot project | | bot_description | A brief bit of text that describes the purpose of the bot | | add_tests | **PENDING** _A Core Bot Template Only Feature_. The generator will add unit tests to the Core Bot generated bot. This option is not available to other templates at this time. To learn more about the test framework released with Bot Framework v4.5, see [How to unit test bots](https://aka.ms/js-unit-test-docs). This option is intended to enable automated bot generation for testing purposes. | #### Example Using Named Arguments This example shows how to pass named arguments to the generator, setting the default bot name to test_project. ```bash # Run the generator defaulting the bot name to test_project cookiecutter https://github.com/microsoft/botbuilder-python/releases/download/Templates/echo.zip project_name="test_project" ``` ### Generating a Bot Using --no-input The generator can be run in `--no-input` mode, which can be used for automated bot creation. When run in `--no-input` mode, the generator can be configured using named arguments as documented above. If a named argument is ommitted a reasonable default will be used. #### Default Values | Named&nbsp;argument | Default Value | | ------------------- | ----------- | | bot_name | `my-chat-bot` | | bot_description | "Demonstrate the core capabilities of the Microsoft Bot Framework" | | add_tests | `False`| #### Examples Using --no-input This example shows how to run the generator in --no-input mode, setting all required options on the command line. ```bash # Run the generator, setting all command line options cookiecutter https://github.com/microsoft/botbuilder-python/releases/download/Templates/echo.zip --no-input project_name="test_bot" bot_description="Test description" ``` This example shows how to run the generator in --no-input mode, using all the default command line options. The generator will create a bot project using all the default values specified in the **Default Options** table above. ```bash # Run the generator using all default options cookiecutter https://github.com/microsoft/botbuilder-python/releases/download/Templates/echo.zip --no-input ``` This example shows how to run the generator in --no-input mode, with unit tests. ```bash # PENDING: Run the generator using all default options ``` ## Running Your Bot ### Running Your Bot Locally To run your bot locally, type the following in your console: ```bash # install dependencies pip install -r requirements.txt ``` ```bash # run the bot python app.py ``` Alternatively to the last command, you can set the file in an environment variable with `set FLASK_APP=app.py` in windows (`export FLASK_APP=app.py` in mac/linux) and then run `flask run --host=127.0.0.1 --port=3978` ### Interacting With Your Bot Using the Emulator - Launch Bot Framework Emulator - File -> Open Bot - Enter a Bot URL of `http://localhost:3978/api/messages` Once the Emulator is connected, you can interact with and receive messages from your bot. #### Lint Compliant Code The code generated by the botbuilder generator is pylint compliant to our ruleset. To use pylint as your develop your bot: ```bash # Assuming you created a project with the bot_name value 'my_chat_bot' pylint --rcfile=my_chat_bot/.pylintrc my_chat_bot ``` #### Testing Core Bots with Tests (Pending) Core Bot templates generated with unit tests can be tested using the following: ```bash # launch pytest pytest ``` ## Deploy Your Bot to Azure After creating the bot and testing it locally, you can deploy it to Azure to make it accessible from anywhere. To learn how, see [Deploy your bot to Azure](https://aka.ms/azuredeployment) for a complete set of deployment instructions. If you are new to Microsoft Azure, please refer to [Getting started with Azure](https://azure.microsoft.com/get-started/) for guidance on how to get started on Azure. ## Logging Issues and Providing Feedback Issues and feedback about the botbuilder generator can be submitted through the project's [GitHub Issues](https://github.com/Microsoft/botbuilder-python/issues) page.
botbuilder-python/generators/README.md/0
{ "file_path": "botbuilder-python/generators/README.md", "repo_id": "botbuilder-python", "token_count": 3471 }
421
{ "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", "contentVersion": "1.0.0.0", "parameters": { "appServiceName": { "value": "" }, "existingAppServicePlanName": { "value": "" }, "existingAppServicePlanLocation": { "value": "" }, "newAppServicePlanName": { "value": "" }, "newAppServicePlanLocation": { "value": "" }, "newAppServicePlanSku": { "value": { "name": "S1", "tier": "Standard", "size": "S1", "family": "S", "capacity": 1 } }, "appId": { "value": "" }, "appSecret": { "value": "" } } }
botbuilder-python/generators/app/templates/core/{{cookiecutter.bot_name}}/deploymentTemplates/deployUseExistResourceGroup/parameters-for-template-BotApp-with-rg.json/0
{ "file_path": "botbuilder-python/generators/app/templates/core/{{cookiecutter.bot_name}}/deploymentTemplates/deployUseExistResourceGroup/parameters-for-template-BotApp-with-rg.json", "repo_id": "botbuilder-python", "token_count": 517 }
422
{ "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", "contentVersion": "1.0.0.0", "parameters": { "groupName": { "value": "" }, "groupLocation": { "value": "" }, "appServiceName": { "value": "" }, "appServicePlanName": { "value": "" }, "appServicePlanLocation": { "value": "" }, "appServicePlanSku": { "value": { "name": "S1", "tier": "Standard", "size": "S1", "family": "S", "capacity": 1 } }, "appId": { "value": "" }, "appSecret": { "value": "" } } }
botbuilder-python/generators/app/templates/echo/{{cookiecutter.bot_name}}/deploymentTemplates/deployWithNewResourceGroup/parameters-for-template-BotApp-new-rg.json/0
{ "file_path": "botbuilder-python/generators/app/templates/echo/{{cookiecutter.bot_name}}/deploymentTemplates/deployWithNewResourceGroup/parameters-for-template-BotApp-new-rg.json", "repo_id": "botbuilder-python", "token_count": 508 }
423
{ "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", "contentVersion": "1.0.0.0", "parameters": { "appServiceName": { "type": "string", "defaultValue": "", "metadata": { "description": "The globally unique name of the Web App." } }, "existingAppServicePlanName": { "type": "string", "defaultValue": "", "metadata": { "description": "Name of the existing App Service Plan used to create the Web App for the bot." } }, "existingAppServicePlanLocation": { "type": "string", "metadata": { "description": "The location of the App Service Plan." } }, "newAppServicePlanName": { "type": "string", "metadata": { "description": "The name of the new App Service Plan." } }, "newAppServicePlanLocation": { "type": "string", "metadata": { "description": "The location of the App Service Plan." } }, "newAppServicePlanSku": { "type": "object", "defaultValue": { "name": "S1", "tier": "Standard", "size": "S1", "family": "S", "capacity": 1 }, "metadata": { "description": "The SKU of the App Service Plan. Defaults to Standard values." } }, "appId": { "type": "string", "metadata": { "description": "Active Directory App ID or User-Assigned Managed Identity Client ID, set as MicrosoftAppId in the Web App's Application Settings." } }, "appSecret": { "type": "string", "defaultValue": "", "metadata": { "description": "Active Directory App Password, set as MicrosoftAppPassword in the Web App's Application Settings. Required for MultiTenant and SingleTenant app types. Defaults to \"\"." } } }, "variables": { "defaultAppServicePlanName": "[if(empty(parameters('existingAppServicePlanName')), 'createNewAppServicePlan', parameters('existingAppServicePlanName'))]", "useExistingServicePlan": "[not(equals(variables('defaultAppServicePlanName'), 'createNewAppServicePlan'))]", "servicePlanName": "[if(variables('useExistingServicePlan'), parameters('existingAppServicePlanName'), parameters('newAppServicePlanName'))]", "servicePlanLocation": "[if(variables('useExistingServicePlan'), parameters('existingAppServicePlanLocation'), parameters('newAppServicePlanLocation'))]" }, "resources": [ { "comments": "Create a new App Service Plan if no existing App Service Plan name was passed in.", "type": "Microsoft.Web/serverfarms", "condition": "[not(variables('useExistingServicePlan'))]", "name": "[variables('servicePlanName')]", "apiVersion": "2018-02-01", "location": "[parameters('newAppServicePlanLocation')]", "sku": "[parameters('newAppServicePlanSku')]", "kind": "linux", "properties": { "name": "[variables('servicePlanName')]", "perSiteScaling": false, "reserved": true, "targetWorkerCount": 0, "targetWorkerSizeId": 0 } }, { "comments": "Create a Web App using an App Service Plan", "type": "Microsoft.Web/sites", "apiVersion": "2015-08-01", "name": "[parameters('appServiceName')]", "location": "[variables('servicePlanLocation')]", "kind": "app,linux", "dependsOn": [ "[resourceId('Microsoft.Web/serverfarms', variables('servicePlanName'))]" ], "properties": { "enabled": true, "hostNameSslStates": [ { "name": "[concat(parameters('appServiceName'), '.azurewebsites.net')]", "sslState": "Disabled", "hostType": "Standard" }, { "name": "[concat(parameters('appServiceName'), '.scm.azurewebsites.net')]", "sslState": "Disabled", "hostType": "Repository" } ], "serverFarmId": "[resourceId('Microsoft.Web/serverfarms', variables('servicePlanName'))]", "reserved": true, "scmSiteAlsoStopped": false, "clientAffinityEnabled": false, "clientCertEnabled": false, "hostNamesDisabled": false, "containerSize": 0, "dailyMemoryTimeQuota": 0, "httpsOnly": false, "siteConfig": { "appSettings": [ { "name": "SCM_DO_BUILD_DURING_DEPLOYMENT", "value": "true" }, { "name": "MicrosoftAppId", "value": "[parameters('appId')]" }, { "name": "MicrosoftAppPassword", "value": "[parameters('appSecret')]" } ], "cors": { "allowedOrigins": [ "https://botservice.hosting.portal.azure.net", "https://hosting.onecloud.azure-test.net/" ] } } } }, { "type": "Microsoft.Web/sites/config", "apiVersion": "2016-08-01", "name": "[concat(parameters('appServiceName'), '/web')]", "location": "[variables('servicePlanLocation')]", "dependsOn": [ "[resourceId('Microsoft.Web/sites', parameters('appServiceName'))]" ], "properties": { "numberOfWorkers": 1, "defaultDocuments": [ "Default.htm", "Default.html", "Default.asp", "index.htm", "index.html", "iisstart.htm", "default.aspx", "index.php", "hostingstart.html" ], "netFrameworkVersion": "v4.0", "phpVersion": "", "pythonVersion": "", "nodeVersion": "", "linuxFxVersion": "PYTHON|3.7", "requestTracingEnabled": false, "remoteDebuggingEnabled": false, "remoteDebuggingVersion": "VS2017", "httpLoggingEnabled": true, "logsDirectorySizeLimit": 35, "detailedErrorLoggingEnabled": false, "publishingUsername": "[concat('$', parameters('appServiceName'))]", "scmType": "None", "use32BitWorkerProcess": true, "webSocketsEnabled": false, "alwaysOn": false, "appCommandLine": "gunicorn --bind 0.0.0.0 --worker-class aiohttp.worker.GunicornWebWorker --timeout 600 app:APP", "managedPipelineMode": "Integrated", "virtualApplications": [ { "virtualPath": "/", "physicalPath": "site\\wwwroot", "preloadEnabled": false, "virtualDirectories": null } ], "winAuthAdminState": 0, "winAuthTenantState": 0, "customAppPoolIdentityAdminState": false, "customAppPoolIdentityTenantState": false, "loadBalancing": "LeastRequests", "routingRules": [], "experiments": { "rampUpRules": [] }, "autoHealEnabled": false, "vnetName": "", "minTlsVersion": "1.2", "ftpsState": "AllAllowed", "reservedInstanceCount": 0 } } ] }
botbuilder-python/generators/app/templates/empty/{{cookiecutter.bot_name}}/deploymentTemplates/deployUseExistResourceGroup/template-BotApp-with-rg.json/0
{ "file_path": "botbuilder-python/generators/app/templates/empty/{{cookiecutter.bot_name}}/deploymentTemplates/deployUseExistResourceGroup/template-BotApp-with-rg.json", "repo_id": "botbuilder-python", "token_count": 4769 }
424
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import json import urllib.parse from aiohttp.web_request import Request from aiohttp.web_response import Response from slack.web.classes.attachments import Attachment from botbuilder.schema import ( Activity, ConversationAccount, ChannelAccount, ActivityTypes, ) from .slack_message import SlackMessage from .slack_client import SlackClient from .slack_event import SlackEvent from .slack_payload import SlackPayload from .slack_request_body import SlackRequestBody class SlackHelper: @staticmethod def activity_to_slack(activity: Activity) -> SlackMessage: """ Formats a BotBuilder Activity into an outgoing Slack message. :param activity: A BotBuilder Activity object. :type activity: :class:`botbuilder.schema.Activity` :return: A Slack message object with {text, attachments, channel, thread ts} and any fields found in activity.channelData. :rtype: :class:`SlackMessage` """ if not activity: raise Exception("Activity required") # use ChannelData if available if activity.channel_data: message = activity.channel_data else: message = SlackMessage( ts=activity.timestamp, text=activity.text, channel=activity.conversation.id, ) if activity.attachments: attachments = [] for att in activity.attachments: if att.name == "blocks": message.blocks = att.content else: new_attachment = Attachment( author_name=att.name, thumb_url=att.thumbnail_url, text="", ) attachments.append(new_attachment) if attachments: message.attachments = attachments if ( activity.conversation.properties and "thread_ts" in activity.conversation.properties ): message.thread_ts = activity.conversation.properties["thread_ts"] if message.ephemeral: message.user = activity.recipient.id if ( message.icon_url or not (message.icons and message.icons.status_emoji) or not message.username ): message.as_user = False return message @staticmethod def response( # pylint: disable=unused-argument req: Request, code: int, text: str = None, encoding: str = None ) -> Response: """ Formats an aiohttp Response. :param req: The original aiohttp Request. :type req: :class:`aiohttp.web_request.Request` :param code: The HTTP result code to return. :type code: int :param text: The text to return. :type text: str :param encoding: The text encoding. Defaults to UTF-8. :type encoding: str :return: The aoihttp Response :rtype: :class:`aiohttp.web_response.Response` """ response = Response(status=code) if text: response.content_type = "text/plain" response.body = text.encode(encoding=encoding if encoding else "utf-8") return response @staticmethod def payload_to_activity(payload: SlackPayload) -> Activity: """ Creates an activity based on the Slack event payload. :param payload: The payload of the Slack event. :type payload: :class:`SlackPayload` :return: An activity containing the event data. :rtype: :class:`botbuilder.schema.Activity` """ if not payload: raise Exception("payload is required") activity = Activity( channel_id="slack", conversation=ConversationAccount(id=payload.channel["id"], properties={}), from_property=ChannelAccount( id=payload.message.bot_id if payload.message.bot_id else payload.user["id"] ), recipient=ChannelAccount(), channel_data=payload, text=None, type=ActivityTypes.event, value=payload, ) if payload.thread_ts: activity.conversation.properties["thread_ts"] = payload.thread_ts if payload.actions: action = payload.actions[0] if action["type"] == "button": activity.text = action["value"] elif action["type"] == "select": selected_option = action["selected_options"] activity.text = selected_option["value"] if selected_option else None elif action["type"] == "static_select": activity.text = action["selected_options"]["value"] if activity.text: activity.type = ActivityTypes.message return activity @staticmethod async def event_to_activity(event: SlackEvent, client: SlackClient) -> Activity: """ Creates an activity based on the Slack event data. :param event: The data of the Slack event. :type event: :class:`SlackEvent` :param client: The Slack client. :type client: :class:`SlackClient` :return: An activity containing the event data. :rtype: :class:`botbuilder.schema.Activity` """ if not event: raise Exception("slack event is required") activity = Activity( id=event.event_ts, channel_id="slack", conversation=ConversationAccount( id=event.channel if event.channel else event.channel_id, properties={} ), from_property=ChannelAccount( id=event.bot_id if event.bot_id else event.user_id ), recipient=ChannelAccount(id=None), channel_data=event, text=event.text, type=ActivityTypes.event, ) if not activity.conversation.id: if event.item and event.item_channel: activity.conversation.id = event.item_channel else: activity.conversation.id = event.team activity.recipient.id = await client.get_bot_user_identity(activity=activity) if event.thread_ts: activity.conversation.properties["thread_ts"] = event.thread_ts if event.type == "message" and not event.subtype and not event.bot_id: if not event.subtype: activity.type = ActivityTypes.message activity.text = event.text activity.conversation.properties["channel_type"] = event.channel_type activity.value = event else: activity.name = event.type activity.value = event return activity @staticmethod async def command_to_activity( body: SlackRequestBody, client: SlackClient ) -> Activity: """ Creates an activity based on a Slack event related to a slash command. :param body: The data of the Slack event. :type body: :class:`SlackRequestBody` :param client: The Slack client. :type client: :class:`SlackClient` :return: An activity containing the event data. :rtype: :class:`botbuilder.schema.Activity` """ if not body: raise Exception("body is required") activity = Activity( id=body.trigger_id, channel_id="slack", conversation=ConversationAccount(id=body.channel_id, properties={}), from_property=ChannelAccount(id=body.user_id), recipient=ChannelAccount(id=None), channel_data=body, text=body.text, type=ActivityTypes.event, name="Command", value=body.command, ) activity.recipient.id = await client.get_bot_user_identity(activity) activity.conversation.properties["team"] = body.team_id return activity @staticmethod def query_string_to_dictionary(query: str) -> {}: """ Converts a query string to a dictionary with key-value pairs. :param query: The query string to convert. :type query: str :return: A dictionary with the query values. :rtype: :class:`typing.Dict` """ values = {} if not query: return values pairs = query.replace("+", "%20").split("&") for pair in pairs: key_value = pair.split("=") key = key_value[0] value = urllib.parse.unquote(key_value[1]) values[key] = value return values @staticmethod def deserialize_body(content_type: str, request_body: str) -> SlackRequestBody: """ Deserializes the request's body as a SlackRequestBody object. :param content_type: The content type of the body. :type content_type: str :param request_body: The body of the request. :type request_body: str :return: A SlackRequestBody object. :rtype: :class:`SlackRequestBody` """ if not request_body: return None if content_type == "application/x-www-form-urlencoded": request_dict = SlackHelper.query_string_to_dictionary(request_body) elif content_type == "application/json": request_dict = json.loads(request_body) else: raise Exception("Unknown request content type") if "command=%2F" in request_body: return SlackRequestBody(**request_dict) if "payload=" in request_body: payload = SlackPayload(**request_dict) return SlackRequestBody(payload=payload, token=payload.token) return SlackRequestBody(**request_dict)
botbuilder-python/libraries/botbuilder-adapters-slack/botbuilder/adapters/slack/slack_helper.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-adapters-slack/botbuilder/adapters/slack/slack_helper.py", "repo_id": "botbuilder-python", "token_count": 4488 }
425
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from abc import ABC, abstractmethod from botbuilder.core import TurnContext from .luis_application import LuisApplication class LuisRecognizerInternal(ABC): def __init__(self, luis_application: LuisApplication): if luis_application is None: raise TypeError(luis_application.__class__.__name__) self.luis_application = luis_application @abstractmethod async def recognizer_internal(self, turn_context: TurnContext): raise NotImplementedError()
botbuilder-python/libraries/botbuilder-ai/botbuilder/ai/luis/luis_recognizer_internal.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-ai/botbuilder/ai/luis/luis_recognizer_internal.py", "repo_id": "botbuilder-python", "token_count": 190 }
426
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from enum import Enum class JoinOperator(str, Enum): """ Join Operator for Strict Filters. remarks: -------- For example, when using multiple filters in a query, if you want results that have metadata that matches all filters, then use `AND` operator. If instead you only wish that the results from knowledge base match at least one of the filters, then use `OR` operator. """ AND = "AND" OR = "OR"
botbuilder-python/libraries/botbuilder-ai/botbuilder/ai/qna/models/join_operator.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-ai/botbuilder/ai/qna/models/join_operator.py", "repo_id": "botbuilder-python", "token_count": 163 }
427
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import math from typing import List from ..models import QueryResult MINIMUM_SCORE_FOR_LOW_SCORE_VARIATION = 20.0 PREVIOUS_LOW_SCORE_VARIATION_MULTIPLIER = 0.7 MAX_LOW_SCORE_VARIATION_MULTIPLIER = 1.0 MAX_SCORE_FOR_LOW_SCORE_VARIATION = 95.0 class ActiveLearningUtils: """Active learning helper class""" @staticmethod def get_low_score_variation( qna_search_results: List[QueryResult], ) -> List[QueryResult]: """ Returns a list of QnA search results, which have low score variation. Parameters: ----------- qna_serach_results: A list of QnA QueryResults returned from the QnA GenerateAnswer API call. """ if not qna_search_results: return [] if len(qna_search_results) == 1: return qna_search_results filtered_qna_search_result: List[QueryResult] = [] top_answer_score = qna_search_results[0].score * 100 prev_score = top_answer_score if ( MINIMUM_SCORE_FOR_LOW_SCORE_VARIATION < top_answer_score <= MAX_SCORE_FOR_LOW_SCORE_VARIATION ): filtered_qna_search_result.append(qna_search_results[0]) for idx in range(1, len(qna_search_results)): current_score = qna_search_results[idx].score * 100 if ActiveLearningUtils._include_for_clustering( prev_score, current_score, PREVIOUS_LOW_SCORE_VARIATION_MULTIPLIER ) and ActiveLearningUtils._include_for_clustering( top_answer_score, current_score, MAX_LOW_SCORE_VARIATION_MULTIPLIER ): prev_score = current_score filtered_qna_search_result.append(qna_search_results[idx]) return filtered_qna_search_result @staticmethod def _include_for_clustering( prev_score: float, current_score: float, multiplier: float ) -> bool: return (prev_score - current_score) < (multiplier * math.sqrt(prev_score))
botbuilder-python/libraries/botbuilder-ai/botbuilder/ai/qna/utils/active_learning_utils.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-ai/botbuilder/ai/qna/utils/active_learning_utils.py", "repo_id": "botbuilder-python", "token_count": 967 }
428
{ "text": "12 years old and 3 days old and monday july 3rd and every monday and between 3am and 5:30am and 4 acres and 4 pico meters and [email protected] and $4 and $4.25 and also 32 and 210.4 and first and 10% and 10.5% and 425-555-1234 and 3 degrees and -27.5 degrees c", "intents": { "EntityTests": { "score": 0.9783022 }, "search": { "score": 0.253596246 }, "Weather_GetForecast": { "score": 0.0438077338 }, "None": { "score": 0.0412048623 }, "Travel": { "score": 0.0118790194 }, "Delivery": { "score": 0.00688600726 }, "SpecifyName": { "score": 0.00150657748 }, "Help": { "score": 0.000121566052 }, "Cancel": { "score": 5.180011E-05 }, "Greeting": { "score": 1.6850714E-05 } }, "entities": { "$instance": { "Composite1": [ { "startIndex": 0, "endIndex": 262, "text": "12 years old and 3 days old and monday july 3rd and every monday and between 3am and 5 : 30am and 4 acres and 4 pico meters and chrimc @ hotmail . com and $ 4 and $ 4 . 25 and also 32 and 210 . 4 and first and 10 % and 10 . 5 % and 425 - 555 - 1234 and 3 degrees and - 27 . 5 degrees c", "type": "Composite1", "score": 0.7279488 } ] }, "Composite1": [ { "$instance": { "age": [ { "startIndex": 0, "endIndex": 12, "text": "12 years old", "type": "builtin.age" }, { "startIndex": 17, "endIndex": 27, "text": "3 days old", "type": "builtin.age" } ], "datetime": [ { "startIndex": 0, "endIndex": 8, "text": "12 years", "type": "builtin.datetimeV2.duration" }, { "startIndex": 17, "endIndex": 23, "text": "3 days", "type": "builtin.datetimeV2.duration" }, { "startIndex": 32, "endIndex": 47, "text": "monday july 3rd", "type": "builtin.datetimeV2.date" }, { "startIndex": 52, "endIndex": 64, "text": "every monday", "type": "builtin.datetimeV2.set" }, { "startIndex": 69, "endIndex": 91, "text": "between 3am and 5:30am", "type": "builtin.datetimeV2.timerange" } ], "dimension": [ { "startIndex": 96, "endIndex": 103, "text": "4 acres", "type": "builtin.dimension" }, { "startIndex": 108, "endIndex": 121, "text": "4 pico meters", "type": "builtin.dimension" } ], "email": [ { "startIndex": 126, "endIndex": 144, "text": "[email protected]", "type": "builtin.email" } ], "money": [ { "startIndex": 149, "endIndex": 151, "text": "$4", "type": "builtin.currency" }, { "startIndex": 156, "endIndex": 161, "text": "$4.25", "type": "builtin.currency" } ], "number": [ { "startIndex": 0, "endIndex": 2, "text": "12", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 17, "endIndex": 18, "text": "3", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 85, "endIndex": 86, "text": "5", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 96, "endIndex": 97, "text": "4", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 108, "endIndex": 109, "text": "4", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 150, "endIndex": 151, "text": "4", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 157, "endIndex": 161, "text": "4.25", "type": "builtin.number", "subtype": "decimal" }, { "startIndex": 171, "endIndex": 173, "text": "32", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 178, "endIndex": 183, "text": "210.4", "type": "builtin.number", "subtype": "decimal" }, { "startIndex": 198, "endIndex": 200, "text": "10", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 206, "endIndex": 210, "text": "10.5", "type": "builtin.number", "subtype": "decimal" }, { "startIndex": 216, "endIndex": 219, "text": "425", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 220, "endIndex": 223, "text": "555", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 224, "endIndex": 228, "text": "1234", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 233, "endIndex": 234, "text": "3", "type": "builtin.number", "subtype": "integer" }, { "startIndex": 247, "endIndex": 252, "text": "-27.5", "type": "builtin.number", "subtype": "decimal" } ], "ordinal": [ { "startIndex": 44, "endIndex": 47, "text": "3rd", "type": "builtin.ordinal" }, { "startIndex": 188, "endIndex": 193, "text": "first", "type": "builtin.ordinal" } ], "percentage": [ { "startIndex": 198, "endIndex": 201, "text": "10%", "type": "builtin.percentage" }, { "startIndex": 206, "endIndex": 211, "text": "10.5%", "type": "builtin.percentage" } ], "phonenumber": [ { "startIndex": 216, "endIndex": 228, "text": "425-555-1234", "type": "builtin.phonenumber" } ], "temperature": [ { "startIndex": 233, "endIndex": 242, "text": "3 degrees", "type": "builtin.temperature" }, { "startIndex": 247, "endIndex": 262, "text": "-27.5 degrees c", "type": "builtin.temperature" } ] }, "age": [ { "number": 12, "units": "Year" }, { "number": 3, "units": "Day" } ], "datetime": [ { "type": "duration", "timex": [ "P12Y" ] }, { "type": "duration", "timex": [ "P3D" ] }, { "type": "date", "timex": [ "XXXX-07-03" ] }, { "type": "set", "timex": [ "XXXX-WXX-1" ] }, { "type": "timerange", "timex": [ "(T03,T05:30,PT2H30M)" ] } ], "dimension": [ { "number": 4, "units": "Acre" }, { "number": 4, "units": "Picometer" } ], "email": [ "[email protected]" ], "money": [ { "number": 4, "units": "Dollar" }, { "number": 4.25, "units": "Dollar" } ], "number": [ 12, 3, 5, 4, 4, 4, 4.25, 32, 210.4, 10, 10.5, 425, 555, 1234, 3, -27.5 ], "ordinal": [ 3, 1 ], "percentage": [ 10, 10.5 ], "phonenumber": [ "425-555-1234" ], "temperature": [ { "number": 3, "units": "Degree" }, { "number": -27.5, "units": "C" } ] } ] }, "sentiment": { "label": "neutral", "score": 0.5 }, "luisResult": { "query": "12 years old and 3 days old and monday july 3rd and every monday and between 3am and 5:30am and 4 acres and 4 pico meters and [email protected] and $4 and $4.25 and also 32 and 210.4 and first and 10% and 10.5% and 425-555-1234 and 3 degrees and -27.5 degrees c", "topScoringIntent": { "intent": "EntityTests", "score": 0.9783022 }, "intents": [ { "intent": "EntityTests", "score": 0.9783022 }, { "intent": "search", "score": 0.253596246 }, { "intent": "Weather.GetForecast", "score": 0.0438077338 }, { "intent": "None", "score": 0.0412048623 }, { "intent": "Travel", "score": 0.0118790194 }, { "intent": "Delivery", "score": 0.00688600726 }, { "intent": "SpecifyName", "score": 0.00150657748 }, { "intent": "Help", "score": 0.000121566052 }, { "intent": "Cancel", "score": 5.180011E-05 }, { "intent": "Greeting", "score": 1.6850714E-05 } ], "entities": [ { "entity": "12 years old and 3 days old and monday july 3rd and every monday and between 3am and 5 : 30am and 4 acres and 4 pico meters and chrimc @ hotmail . com and $ 4 and $ 4 . 25 and also 32 and 210 . 4 and first and 10 % and 10 . 5 % and 425 - 555 - 1234 and 3 degrees and - 27 . 5 degrees c", "type": "Composite1", "startIndex": 0, "endIndex": 261, "score": 0.7279488 }, { "entity": "12 years old", "type": "builtin.age", "startIndex": 0, "endIndex": 11, "resolution": { "unit": "Year", "value": "12" } }, { "entity": "3 days old", "type": "builtin.age", "startIndex": 17, "endIndex": 26, "resolution": { "unit": "Day", "value": "3" } }, { "entity": "12 years", "type": "builtin.datetimeV2.duration", "startIndex": 0, "endIndex": 7, "resolution": { "values": [ { "timex": "P12Y", "type": "duration", "value": "378432000" } ] } }, { "entity": "3 days", "type": "builtin.datetimeV2.duration", "startIndex": 17, "endIndex": 22, "resolution": { "values": [ { "timex": "P3D", "type": "duration", "value": "259200" } ] } }, { "entity": "monday july 3rd", "type": "builtin.datetimeV2.date", "startIndex": 32, "endIndex": 46, "resolution": { "values": [ { "timex": "XXXX-07-03", "type": "date", "value": "2018-07-03" }, { "timex": "XXXX-07-03", "type": "date", "value": "2019-07-03" } ] } }, { "entity": "every monday", "type": "builtin.datetimeV2.set", "startIndex": 52, "endIndex": 63, "resolution": { "values": [ { "timex": "XXXX-WXX-1", "type": "set", "value": "not resolved" } ] } }, { "entity": "between 3am and 5:30am", "type": "builtin.datetimeV2.timerange", "startIndex": 69, "endIndex": 90, "resolution": { "values": [ { "timex": "(T03,T05:30,PT2H30M)", "type": "timerange", "start": "03:00:00", "end": "05:30:00" } ] } }, { "entity": "4 acres", "type": "builtin.dimension", "startIndex": 96, "endIndex": 102, "resolution": { "unit": "Acre", "value": "4" } }, { "entity": "4 pico meters", "type": "builtin.dimension", "startIndex": 108, "endIndex": 120, "resolution": { "unit": "Picometer", "value": "4" } }, { "entity": "[email protected]", "type": "builtin.email", "startIndex": 126, "endIndex": 143, "resolution": { "value": "[email protected]" } }, { "entity": "$4", "type": "builtin.currency", "startIndex": 149, "endIndex": 150, "resolution": { "unit": "Dollar", "value": "4" } }, { "entity": "$4.25", "type": "builtin.currency", "startIndex": 156, "endIndex": 160, "resolution": { "unit": "Dollar", "value": "4.25" } }, { "entity": "12", "type": "builtin.number", "startIndex": 0, "endIndex": 1, "resolution": { "subtype": "integer", "value": "12" } }, { "entity": "3", "type": "builtin.number", "startIndex": 17, "endIndex": 17, "resolution": { "subtype": "integer", "value": "3" } }, { "entity": "5", "type": "builtin.number", "startIndex": 85, "endIndex": 85, "resolution": { "subtype": "integer", "value": "5" } }, { "entity": "4", "type": "builtin.number", "startIndex": 96, "endIndex": 96, "resolution": { "subtype": "integer", "value": "4" } }, { "entity": "4", "type": "builtin.number", "startIndex": 108, "endIndex": 108, "resolution": { "subtype": "integer", "value": "4" } }, { "entity": "4", "type": "builtin.number", "startIndex": 150, "endIndex": 150, "resolution": { "subtype": "integer", "value": "4" } }, { "entity": "4.25", "type": "builtin.number", "startIndex": 157, "endIndex": 160, "resolution": { "subtype": "decimal", "value": "4.25" } }, { "entity": "32", "type": "builtin.number", "startIndex": 171, "endIndex": 172, "resolution": { "subtype": "integer", "value": "32" } }, { "entity": "210.4", "type": "builtin.number", "startIndex": 178, "endIndex": 182, "resolution": { "subtype": "decimal", "value": "210.4" } }, { "entity": "10", "type": "builtin.number", "startIndex": 198, "endIndex": 199, "resolution": { "subtype": "integer", "value": "10" } }, { "entity": "10.5", "type": "builtin.number", "startIndex": 206, "endIndex": 209, "resolution": { "subtype": "decimal", "value": "10.5" } }, { "entity": "425", "type": "builtin.number", "startIndex": 216, "endIndex": 218, "resolution": { "subtype": "integer", "value": "425" } }, { "entity": "555", "type": "builtin.number", "startIndex": 220, "endIndex": 222, "resolution": { "subtype": "integer", "value": "555" } }, { "entity": "1234", "type": "builtin.number", "startIndex": 224, "endIndex": 227, "resolution": { "subtype": "integer", "value": "1234" } }, { "entity": "3", "type": "builtin.number", "startIndex": 233, "endIndex": 233, "resolution": { "subtype": "integer", "value": "3" } }, { "entity": "-27.5", "type": "builtin.number", "startIndex": 247, "endIndex": 251, "resolution": { "subtype": "decimal", "value": "-27.5" } }, { "entity": "3rd", "type": "builtin.ordinal", "startIndex": 44, "endIndex": 46, "resolution": { "value": "3" } }, { "entity": "first", "type": "builtin.ordinal", "startIndex": 188, "endIndex": 192, "resolution": { "value": "1" } }, { "entity": "10%", "type": "builtin.percentage", "startIndex": 198, "endIndex": 200, "resolution": { "value": "10%" } }, { "entity": "10.5%", "type": "builtin.percentage", "startIndex": 206, "endIndex": 210, "resolution": { "value": "10.5%" } }, { "entity": "425-555-1234", "type": "builtin.phonenumber", "startIndex": 216, "endIndex": 227, "resolution": { "score": "0.9", "value": "425-555-1234" } }, { "entity": "3 degrees", "type": "builtin.temperature", "startIndex": 233, "endIndex": 241, "resolution": { "unit": "Degree", "value": "3" } }, { "entity": "-27.5 degrees c", "type": "builtin.temperature", "startIndex": 247, "endIndex": 261, "resolution": { "unit": "C", "value": "-27.5" } } ], "compositeEntities": [ { "parentType": "Composite1", "value": "12 years old and 3 days old and monday july 3rd and every monday and between 3am and 5 : 30am and 4 acres and 4 pico meters and chrimc @ hotmail . com and $ 4 and $ 4 . 25 and also 32 and 210 . 4 and first and 10 % and 10 . 5 % and 425 - 555 - 1234 and 3 degrees and - 27 . 5 degrees c", "children": [ { "type": "builtin.age", "value": "12 years old" }, { "type": "builtin.age", "value": "3 days old" }, { "type": "builtin.datetimeV2.duration", "value": "12 years" }, { "type": "builtin.datetimeV2.duration", "value": "3 days" }, { "type": "builtin.datetimeV2.date", "value": "monday july 3rd" }, { "type": "builtin.datetimeV2.set", "value": "every monday" }, { "type": "builtin.datetimeV2.timerange", "value": "between 3am and 5:30am" }, { "type": "builtin.dimension", "value": "4 acres" }, { "type": "builtin.dimension", "value": "4 pico meters" }, { "type": "builtin.email", "value": "[email protected]" }, { "type": "builtin.currency", "value": "$4" }, { "type": "builtin.currency", "value": "$4.25" }, { "type": "builtin.number", "value": "12" }, { "type": "builtin.number", "value": "3" }, { "type": "builtin.number", "value": "5" }, { "type": "builtin.number", "value": "4" }, { "type": "builtin.number", "value": "4" }, { "type": "builtin.number", "value": "4" }, { "type": "builtin.number", "value": "4.25" }, { "type": "builtin.number", "value": "32" }, { "type": "builtin.number", "value": "210.4" }, { "type": "builtin.number", "value": "10" }, { "type": "builtin.number", "value": "10.5" }, { "type": "builtin.number", "value": "425" }, { "type": "builtin.number", "value": "555" }, { "type": "builtin.number", "value": "1234" }, { "type": "builtin.number", "value": "3" }, { "type": "builtin.number", "value": "-27.5" }, { "type": "builtin.ordinal", "value": "3rd" }, { "type": "builtin.ordinal", "value": "first" }, { "type": "builtin.percentage", "value": "10%" }, { "type": "builtin.percentage", "value": "10.5%" }, { "type": "builtin.phonenumber", "value": "425-555-1234" }, { "type": "builtin.temperature", "value": "3 degrees" }, { "type": "builtin.temperature", "value": "-27.5 degrees c" } ] } ], "sentimentAnalysis": { "label": "neutral", "score": 0.5 } } }
botbuilder-python/libraries/botbuilder-ai/tests/luis/test_data/Composite1.json/0
{ "file_path": "botbuilder-python/libraries/botbuilder-ai/tests/luis/test_data/Composite1.json", "repo_id": "botbuilder-python", "token_count": 14934 }
429
{ "query": "I want to travel on DL", "topScoringIntent": { "intent": "Travel", "score": 0.8785189 }, "intents": [ { "intent": "Travel", "score": 0.8785189 } ], "entities": [ { "entity": "dl", "type": "Airline", "startIndex": 20, "endIndex": 21, "resolution": { "values": [ "Virgin", "Delta" ] } } ] }
botbuilder-python/libraries/botbuilder-ai/tests/luis/test_data/MultipleIntents_ListEntityWithMultiValues.json/0
{ "file_path": "botbuilder-python/libraries/botbuilder-ai/tests/luis/test_data/MultipleIntents_ListEntityWithMultiValues.json", "repo_id": "botbuilder-python", "token_count": 352 }
430
{ "answers": [ { "questions": [ "Where can I buy home appliances?" ], "answer": "Any Walmart store", "score": 68, "id": 56, "source": "Editorial", "metadata": [], "context": { "isContextOnly": false, "prompts": [] } }, { "questions": [ "Where can I buy cleaning products?" ], "answer": "Any DIY store", "score": 56, "id": 55, "source": "Editorial", "metadata": [], "context": { "isContextOnly": false, "prompts": [] } } ] }
botbuilder-python/libraries/botbuilder-ai/tests/qna/test_data/AnswerWithLowScoreProvidedWithoutContext.json/0
{ "file_path": "botbuilder-python/libraries/botbuilder-ai/tests/qna/test_data/AnswerWithLowScoreProvidedWithoutContext.json", "repo_id": "botbuilder-python", "token_count": 375 }
431
import json from os import path from unittest.mock import patch import aiounittest # from botbuilder.ai.qna import QnAMakerEndpoint, QnAMaker, QnAMakerOptions from botbuilder.ai.qna.dialogs import QnAMakerDialog from botbuilder.schema import Activity, ActivityTypes from botbuilder.core import ConversationState, MemoryStorage, TurnContext from botbuilder.core.adapters import TestAdapter, TestFlow from botbuilder.dialogs import DialogSet, DialogTurnStatus class QnaMakerDialogTest(aiounittest.AsyncTestCase): # Note this is NOT a real QnA Maker application ID nor a real QnA Maker subscription-key # theses are GUIDs edited to look right to the parsing and validation code. _knowledge_base_id: str = "f028d9k3-7g9z-11d3-d300-2b8x98227q8w" _endpoint_key: str = "1k997n7w-207z-36p3-j2u1-09tas20ci6011" _host: str = "https://dummyqnahost.azurewebsites.net/qnamaker" _tell_me_about_birds: str = "Tell me about birds" _choose_bird: str = "Choose one of the following birds to get more info" _bald_eagle: str = "Bald Eagle" _esper: str = "Esper" DEFAULT_ACTIVE_LEARNING_TITLE: str = "Did you mean:" DEFAULT_NO_MATCH_TEXT: str = "None of the above." DEFAULT_CARD_NO_MATCH_RESPONSE: str = "Thanks for the feedback." async def test_multiturn_dialog(self): # Set Up QnAMakerDialog convo_state = ConversationState(MemoryStorage()) dialog_state = convo_state.create_property("dialogState") dialogs = DialogSet(dialog_state) qna_dialog = QnAMakerDialog( self._knowledge_base_id, self._endpoint_key, self._host ) dialogs.add(qna_dialog) # Callback that runs the dialog async def execute_qna_dialog(turn_context: TurnContext) -> None: if turn_context.activity.type != ActivityTypes.message: raise TypeError( "Failed to execute QnA dialog. Should have received a message activity." ) response_json = self._get_json_res(turn_context.activity.text) dialog_context = await dialogs.create_context(turn_context) with patch( "aiohttp.ClientSession.post", return_value=aiounittest.futurized(response_json), ): results = await dialog_context.continue_dialog() if results.status == DialogTurnStatus.Empty: await dialog_context.begin_dialog("QnAMakerDialog") await convo_state.save_changes(turn_context) # Send and receive messages from QnA dialog test_adapter = TestAdapter(execute_qna_dialog) test_flow = TestFlow(None, test_adapter) tf2 = await test_flow.send(self._tell_me_about_birds) dialog_reply: Activity = tf2.adapter.activity_buffer[0] self._assert_has_valid_hero_card_buttons(dialog_reply, button_count=2) tf3 = await tf2.assert_reply(self._choose_bird) tf4 = await tf3.send(self._bald_eagle) await tf4.assert_reply("Apparently these guys aren't actually bald!") async def test_active_learning(self): # Set Up QnAMakerDialog convo_state = ConversationState(MemoryStorage()) dialog_state = convo_state.create_property("dialogState") dialogs = DialogSet(dialog_state) qna_dialog = QnAMakerDialog( self._knowledge_base_id, self._endpoint_key, self._host ) dialogs.add(qna_dialog) # Callback that runs the dialog async def execute_qna_dialog(turn_context: TurnContext) -> None: if turn_context.activity.type != ActivityTypes.message: raise TypeError( "Failed to execute QnA dialog. Should have received a message activity." ) response_json = self._get_json_res(turn_context.activity.text) dialog_context = await dialogs.create_context(turn_context) with patch( "aiohttp.ClientSession.post", return_value=aiounittest.futurized(response_json), ): results = await dialog_context.continue_dialog() if results.status == DialogTurnStatus.Empty: await dialog_context.begin_dialog("QnAMakerDialog") await convo_state.save_changes(turn_context) # Send and receive messages from QnA dialog test_adapter = TestAdapter(execute_qna_dialog) test_flow = TestFlow(None, test_adapter) tf2 = await test_flow.send(self._esper) dialog_reply: Activity = tf2.adapter.activity_buffer[0] self._assert_has_valid_hero_card_buttons(dialog_reply, button_count=3) tf3 = await tf2.assert_reply(self.DEFAULT_ACTIVE_LEARNING_TITLE) tf4 = await tf3.send(self.DEFAULT_NO_MATCH_TEXT) await tf4.assert_reply(self.DEFAULT_CARD_NO_MATCH_RESPONSE) print(tf2) def _assert_has_valid_hero_card_buttons( self, activity: Activity, button_count: int ): self.assertIsInstance(activity, Activity) attachments = activity.attachments self.assertTrue(attachments) self.assertEqual(len(attachments), 1) buttons = attachments[0].content.buttons button_count_err = ( f"Should have only received {button_count} buttons in multi-turn prompt" ) if activity.text == self._choose_bird: self.assertEqual(len(buttons), button_count, button_count_err) self.assertEqual(buttons[0].value, self._bald_eagle) self.assertEqual(buttons[1].value, "Hummingbird") if activity.text == self.DEFAULT_ACTIVE_LEARNING_TITLE: self.assertEqual(len(buttons), button_count, button_count_err) self.assertEqual(buttons[0].value, "Esper seeks") self.assertEqual(buttons[1].value, "Esper sups") self.assertEqual(buttons[2].value, self.DEFAULT_NO_MATCH_TEXT) def _get_json_res(self, text: str) -> object: if text == self._tell_me_about_birds: return QnaMakerDialogTest._get_json_for_file( "QnAMakerDialog_MultiTurn_Answer1.json" ) if text == self._bald_eagle: return QnaMakerDialogTest._get_json_for_file( "QnAMakerDialog_MultiTurn_Answer2.json" ) if text == self._esper: return QnaMakerDialogTest._get_json_for_file( "QnAMakerDialog_ActiveLearning.json" ) return None @staticmethod def _get_json_for_file(response_file: str) -> object: curr_dir = path.dirname(path.abspath(__file__)) response_path = path.join(curr_dir, "test_data", response_file) with open(response_path, "r", encoding="utf-8-sig") as file: response_str = file.read() response_json = json.loads(response_str) return response_json
botbuilder-python/libraries/botbuilder-ai/tests/qna/test_qna_dialog.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-ai/tests/qna/test_qna_dialog.py", "repo_id": "botbuilder-python", "token_count": 3042 }
432
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import os from setuptools import setup REQUIRES = [ "azure-cosmos==3.2.0", "azure-storage-blob==12.7.0", "azure-storage-queue==12.1.5", "botbuilder-schema==4.16.0", "botframework-connector==4.16.0", "jsonpickle>=1.2,<1.5", ] TEST_REQUIRES = ["aiounittest==1.3.0"] root = os.path.abspath(os.path.dirname(__file__)) with open(os.path.join(root, "botbuilder", "azure", "about.py")) as f: package_info = {} info = f.read() exec(info, package_info) with open(os.path.join(root, "README.rst"), encoding="utf-8") as f: long_description = f.read() setup( name=package_info["__title__"], version=package_info["__version__"], url=package_info["__uri__"], author=package_info["__author__"], description=package_info["__description__"], keywords=["BotBuilderAzure", "bots", "ai", "botframework", "botbuilder", "azure"], long_description=long_description, long_description_content_type="text/x-rst", license=package_info["__license__"], packages=["botbuilder.azure"], install_requires=REQUIRES + TEST_REQUIRES, tests_require=TEST_REQUIRES, classifiers=[ "Programming Language :: Python :: 3.7", "Intended Audience :: Developers", "License :: OSI Approved :: MIT License", "Operating System :: OS Independent", "Development Status :: 5 - Production/Stable", "Topic :: Scientific/Engineering :: Artificial Intelligence", ], )
botbuilder-python/libraries/botbuilder-azure/setup.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-azure/setup.py", "repo_id": "botbuilder-python", "token_count": 614 }
433
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from typing import List from botbuilder.schema import Activity, ConversationReference from .middleware_set import Middleware from .turn_context import TurnContext class BotAssert: @staticmethod def activity_not_none(activity: Activity) -> None: """ Checks that an activity object is not None :param activity: The activity object """ if activity is None: raise TypeError(activity.__class__.__name__) @staticmethod def context_not_none(turn_context: TurnContext) -> None: """ Checks that a context object is not None :param turn_context: The context object """ if turn_context is None: raise TypeError(turn_context.__class__.__name__) @staticmethod def conversation_reference_not_none(reference: ConversationReference) -> None: """ Checks that a conversation reference object is not None :param reference: The conversation reference object """ if reference is None: raise TypeError(reference.__class__.__name__) @staticmethod def activity_list_not_none(activities: List[Activity]) -> None: """ Checks that an activity list is not None :param activities: The activity list """ if activities is None: raise TypeError(activities.__class__.__name__) @staticmethod def middleware_not_none(middleware: Middleware) -> None: """ Checks that a middleware object is not None :param middleware: The middleware object """ if middleware is None: raise TypeError(middleware.__class__.__name__) @staticmethod def middleware_list_not_none(middleware: List[Middleware]) -> None: """ Checks that a middeware list is not None :param activities: The middleware list """ if middleware is None: raise TypeError(middleware.__class__.__name__)
botbuilder-python/libraries/botbuilder-core/botbuilder/core/bot_assert.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-core/botbuilder/core/bot_assert.py", "repo_id": "botbuilder-python", "token_count": 784 }
434
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from botbuilder.core import BotState, Storage, TurnContext class InspectionState(BotState): def __init__(self, storage: Storage): super().__init__(storage, self.__class__.__name__) def get_storage_key( # pylint: disable=unused-argument self, turn_context: TurnContext ) -> str: return self.__class__.__name__
botbuilder-python/libraries/botbuilder-core/botbuilder/core/inspection/inspection_state.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-core/botbuilder/core/inspection/inspection_state.py", "repo_id": "botbuilder-python", "token_count": 151 }
435
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from abc import ABC, abstractmethod from typing import Dict, List from botbuilder.core.turn_context import TurnContext from botbuilder.schema import TokenResponse from botframework.connector.auth import AppCredentials class UserTokenProvider(ABC): @abstractmethod async def get_user_token( self, context: TurnContext, connection_name: str, magic_code: str = None, oauth_app_credentials: AppCredentials = None, ) -> TokenResponse: """ Retrieves the OAuth token for a user that is in a sign-in flow. :param context: Context for the current turn of conversation with the user. :param connection_name: Name of the auth connection to use. :param magic_code: (Optional) Optional user entered code to validate. :param oauth_app_credentials: (Optional) AppCredentials for OAuth. If None is supplied, the Bots credentials are used. :return: """ raise NotImplementedError() @abstractmethod async def sign_out_user( self, context: TurnContext, connection_name: str = None, user_id: str = None, oauth_app_credentials: AppCredentials = None, ): """ Signs the user out with the token server. :param context: Context for the current turn of conversation with the user. :param connection_name: Name of the auth connection to use. :param user_id: User id of user to sign out. :param oauth_app_credentials: (Optional) AppCredentials for OAuth. If None is supplied, the Bots credentials are used. :return: """ raise NotImplementedError() @abstractmethod async def get_oauth_sign_in_link( self, context: TurnContext, connection_name: str, final_redirect: str = None, oauth_app_credentials: AppCredentials = None, ) -> str: """ Get the raw signin link to be sent to the user for signin for a connection name. :param context: Context for the current turn of conversation with the user. :param connection_name: Name of the auth connection to use. :param final_redirect: The final URL that the OAuth flow will redirect to. :param oauth_app_credentials: (Optional) AppCredentials for OAuth. If None is supplied, the Bots credentials are used. :return: """ raise NotImplementedError() @abstractmethod async def get_token_status( self, context: TurnContext, connection_name: str = None, user_id: str = None, include_filter: str = None, oauth_app_credentials: AppCredentials = None, ) -> Dict[str, TokenResponse]: """ Retrieves Azure Active Directory tokens for particular resources on a configured connection. :param context: Context for the current turn of conversation with the user. :param connection_name: Name of the auth connection to use. :param user_id: The user Id for which token status is retrieved. :param include_filter: Optional comma separated list of connection's to include. Blank will return token status for all configured connections. :param oauth_app_credentials: (Optional) AppCredentials for OAuth. If None is supplied, the Bots credentials are used. :return: """ raise NotImplementedError() @abstractmethod async def get_aad_tokens( self, context: TurnContext, connection_name: str, resource_urls: List[str], user_id: str = None, oauth_app_credentials: AppCredentials = None, ) -> Dict[str, TokenResponse]: """ Retrieves Azure Active Directory tokens for particular resources on a configured connection. :param context: Context for the current turn of conversation with the user. :param connection_name: Name of the auth connection to use. :param resource_urls: The list of resource URLs to retrieve tokens for. :param user_id: The user Id for which tokens are retrieved. If passing in None the userId is taken from the Activity in the TurnContext. :param oauth_app_credentials: (Optional) AppCredentials for OAuth. If None is supplied, the Bots credentials are used. :return: """ raise NotImplementedError()
botbuilder-python/libraries/botbuilder-core/botbuilder/core/oauth/user_token_provider.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-core/botbuilder/core/oauth/user_token_provider.py", "repo_id": "botbuilder-python", "token_count": 1692 }
436
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from uuid import uuid4 as uuid from botbuilder.core import TurnContext, Storage from .conversation_id_factory import ConversationIdFactoryBase from .skill_conversation_id_factory_options import SkillConversationIdFactoryOptions from .skill_conversation_reference import SkillConversationReference from .skill_conversation_reference import ConversationReference class SkillConversationIdFactory(ConversationIdFactoryBase): def __init__(self, storage: Storage): if not storage: raise TypeError("storage can't be None") self._storage = storage async def create_skill_conversation_id( # pylint: disable=arguments-differ self, options: SkillConversationIdFactoryOptions ) -> str: """ Creates a new `SkillConversationReference`. :param options: Creation options to use when creating the `SkillConversationReference`. :type options: :class:`botbuilder.core.skills.SkillConversationIdFactoryOptions` :return: ID of the created `SkillConversationReference`. """ if not options: raise TypeError("options can't be None") conversation_reference = TurnContext.get_conversation_reference( options.activity ) skill_conversation_id = str(uuid()) # Create the SkillConversationReference instance. skill_conversation_reference = SkillConversationReference( conversation_reference=conversation_reference, oauth_scope=options.from_bot_oauth_scope, ) # Store the SkillConversationReference using the skill_conversation_id as a key. skill_conversation_info = {skill_conversation_id: skill_conversation_reference} await self._storage.write(skill_conversation_info) # Return the generated skill_conversation_id (that will be also used as the conversation ID to call the skill). return skill_conversation_id async def get_conversation_reference( self, skill_conversation_id: str ) -> ConversationReference: return await super().get_conversation_reference(skill_conversation_id) async def get_skill_conversation_reference( self, skill_conversation_id: str ) -> SkillConversationReference: """ Retrieve a `SkillConversationReference` with the specified ID. :param skill_conversation_id: The ID of the `SkillConversationReference` to retrieve. :type skill_conversation_id: str :return: `SkillConversationReference` for the specified ID; None if not found. """ if not skill_conversation_id: raise TypeError("skill_conversation_id can't be None") # Get the SkillConversationReference from storage for the given skill_conversation_id. skill_conversation_reference = await self._storage.read([skill_conversation_id]) return skill_conversation_reference.get(skill_conversation_id) async def delete_conversation_reference(self, skill_conversation_id: str): """ Deletes the `SkillConversationReference` with the specified ID. :param skill_conversation_id: The ID of the `SkillConversationReference` to be deleted. :type skill_conversation_id: str """ # Delete the SkillConversationReference from storage. await self._storage.delete([skill_conversation_id])
botbuilder-python/libraries/botbuilder-core/botbuilder/core/skills/skill_conversation_id_factory.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-core/botbuilder/core/skills/skill_conversation_id_factory.py", "repo_id": "botbuilder-python", "token_count": 1231 }
437
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from inspect import getmembers from typing import Type from enum import Enum from msrest.serialization import Model, Deserializer, Serializer import botbuilder.schema as schema import botbuilder.schema.teams as teams_schema DEPENDICIES = [ schema_cls for key, schema_cls in getmembers(schema) if isinstance(schema_cls, type) and issubclass(schema_cls, (Model, Enum)) ] DEPENDICIES += [ schema_cls for key, schema_cls in getmembers(teams_schema) if isinstance(schema_cls, type) and issubclass(schema_cls, (Model, Enum)) ] DEPENDICIES_DICT = {dependency.__name__: dependency for dependency in DEPENDICIES} def deserializer_helper(msrest_cls: Type[Model], dict_to_deserialize: dict) -> Model: deserializer = Deserializer(DEPENDICIES_DICT) return deserializer(msrest_cls.__name__, dict_to_deserialize) def serializer_helper(object_to_serialize: Model) -> dict: if object_to_serialize is None: return None serializer = Serializer(DEPENDICIES_DICT) # pylint: disable=protected-access return serializer._serialize(object_to_serialize)
botbuilder-python/libraries/botbuilder-core/botbuilder/core/teams/teams_helper.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-core/botbuilder/core/teams/teams_helper.py", "repo_id": "botbuilder-python", "token_count": 423 }
438
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import hashlib import json from datetime import datetime from uuid import uuid4 from asyncio import Future from typing import Dict, List, Callable from unittest.mock import Mock, MagicMock import aiounittest from botframework.connector.auth import ( AuthenticationConfiguration, AuthenticationConstants, ClaimsIdentity, ) from botbuilder.core import ( TurnContext, BotActionNotImplementedError, conversation_reference_extension, ) from botbuilder.core.skills import ( ConversationIdFactoryBase, SkillHandler, SkillConversationReference, SkillConversationIdFactoryOptions, BotFrameworkSkill, ) from botbuilder.schema import ( Activity, ActivityTypes, AttachmentData, ChannelAccount, ConversationAccount, ConversationParameters, ConversationsResult, ConversationResourceResponse, ConversationReference, PagedMembersResult, ResourceResponse, Transcript, CallerIdConstants, ) class ConversationIdFactoryForTest( ConversationIdFactoryBase ): # pylint: disable=abstract-method def __init__(self): self._conversation_refs: Dict[str, str] = {} async def create_skill_conversation_id( # pylint: disable=W0221 self, options: SkillConversationIdFactoryOptions ) -> str: conversation_reference = TurnContext.get_conversation_reference( options.activity ) key = hashlib.md5( f"{conversation_reference.conversation.id}{conversation_reference.service_url}".encode() ).hexdigest() skill_conversation_reference = SkillConversationReference( conversation_reference=conversation_reference, oauth_scope=options.from_bot_oauth_scope, ) self._conversation_refs[key] = skill_conversation_reference return key async def get_skill_conversation_reference( self, skill_conversation_id: str ) -> SkillConversationReference: return self._conversation_refs[skill_conversation_id] async def delete_conversation_reference(self, skill_conversation_id: str): pass class LegacyConversationIdFactoryForTest( ConversationIdFactoryBase ): # pylint: disable=abstract-method def __init__(self): self._conversation_refs: Dict[str, str] = {} async def create_skill_conversation_id( # pylint: disable=W0221 self, conversation_reference: ConversationReference ) -> str: cr_json = json.dumps(conversation_reference.serialize()) key = hashlib.md5( f"{conversation_reference.conversation.id}{conversation_reference.service_url}".encode() ).hexdigest() if key not in self._conversation_refs: self._conversation_refs[key] = cr_json return key async def get_conversation_reference( self, skill_conversation_id: str ) -> ConversationReference: conversation_reference = ConversationReference().deserialize( json.loads(self._conversation_refs[skill_conversation_id]) ) return conversation_reference async def delete_conversation_reference(self, skill_conversation_id: str): pass class SkillHandlerInstanceForTests(SkillHandler): async def test_on_get_conversations( self, claims_identity: ClaimsIdentity, continuation_token: str = "", ) -> ConversationsResult: return await self.on_get_conversations(claims_identity, continuation_token) async def test_on_create_conversation( self, claims_identity: ClaimsIdentity, parameters: ConversationParameters, ) -> ConversationResourceResponse: return await self.on_create_conversation(claims_identity, parameters) async def test_on_send_to_conversation( self, claims_identity: ClaimsIdentity, conversation_id: str, activity: Activity, ) -> ResourceResponse: return await self.on_send_to_conversation( claims_identity, conversation_id, activity ) async def test_on_send_conversation_history( self, claims_identity: ClaimsIdentity, conversation_id: str, transcript: Transcript, ) -> ResourceResponse: return await self.on_send_conversation_history( claims_identity, conversation_id, transcript ) async def test_on_update_activity( self, claims_identity: ClaimsIdentity, conversation_id: str, activity_id: str, activity: Activity, ) -> ResourceResponse: return await self.on_update_activity( claims_identity, conversation_id, activity_id, activity ) async def test_on_reply_to_activity( self, claims_identity: ClaimsIdentity, conversation_id: str, activity_id: str, activity: Activity, ) -> ResourceResponse: return await self.on_reply_to_activity( claims_identity, conversation_id, activity_id, activity ) async def test_on_delete_activity( self, claims_identity: ClaimsIdentity, conversation_id: str, activity_id: str, ): return await self.on_delete_activity( claims_identity, conversation_id, activity_id ) async def test_on_get_conversation_members( self, claims_identity: ClaimsIdentity, conversation_id: str, ) -> List[ChannelAccount]: return await self.on_get_conversation_members(claims_identity, conversation_id) async def test_on_get_conversation_paged_members( self, claims_identity: ClaimsIdentity, conversation_id: str, page_size: int = None, continuation_token: str = "", ) -> PagedMembersResult: return await self.on_get_conversation_paged_members( claims_identity, conversation_id, page_size, continuation_token ) async def test_on_delete_conversation_member( self, claims_identity: ClaimsIdentity, conversation_id: str, member_id: str, ): return await self.on_delete_conversation_member( claims_identity, conversation_id, member_id ) async def test_on_get_activity_members( self, claims_identity: ClaimsIdentity, conversation_id: str, activity_id: str, ) -> List[ChannelAccount]: return await self.on_get_activity_members( claims_identity, conversation_id, activity_id ) async def test_on_upload_attachment( self, claims_identity: ClaimsIdentity, conversation_id: str, attachment_upload: AttachmentData, ) -> ResourceResponse: return await self.on_upload_attachment( claims_identity, conversation_id, attachment_upload ) # pylint: disable=invalid-name # pylint: disable=attribute-defined-outside-init class TestSkillHandler(aiounittest.AsyncTestCase): @classmethod def setUpClass(cls): cls.bot_id = str(uuid4()) cls.skill_id = str(uuid4()) cls._test_id_factory = ConversationIdFactoryForTest() cls._claims_identity = ClaimsIdentity({}, False) cls._claims_identity.claims[AuthenticationConstants.AUDIENCE_CLAIM] = cls.bot_id cls._claims_identity.claims[AuthenticationConstants.APP_ID_CLAIM] = cls.skill_id cls._claims_identity.claims[ AuthenticationConstants.SERVICE_URL_CLAIM ] = "http://testbot.com/api/messages" cls._conversation_reference = ConversationReference( conversation=ConversationAccount(id=str(uuid4())), service_url="http://testbot.com/api/messages", ) activity = Activity.create_message_activity() activity.apply_conversation_reference(cls._conversation_reference) skill = BotFrameworkSkill( app_id=cls.skill_id, id="skill", skill_endpoint="http://testbot.com/api/messages", ) cls._options = SkillConversationIdFactoryOptions( from_bot_oauth_scope=cls.bot_id, from_bot_id=cls.bot_id, activity=activity, bot_framework_skill=skill, ) def create_skill_handler_for_testing( self, adapter, factory: ConversationIdFactoryBase = None ) -> SkillHandlerInstanceForTests: mock_bot = Mock() mock_bot.on_turn = MagicMock(return_value=Future()) mock_bot.on_turn.return_value.set_result(Mock()) return SkillHandlerInstanceForTests( adapter, mock_bot, (factory or self._test_id_factory), Mock(), AuthenticationConfiguration(), ) async def test_legacy_conversation_id_factory(self): mock_adapter = Mock() legacy_factory = LegacyConversationIdFactoryForTest() conversation_reference = ConversationReference( conversation=ConversationAccount(id=str(uuid4())), service_url="http://testbot.com/api/messages", ) conversation_id = await legacy_factory.create_skill_conversation_id( conversation_reference ) async def continue_conversation( reference: ConversationReference, callback: Callable, bot_id: str = None, claims_identity: ClaimsIdentity = None, audience: str = None, ): # pylint: disable=unused-argument # Invoke the callback created by the handler so we can assert the rest of the execution. turn_context = TurnContext( mock_adapter, conversation_reference_extension.get_continuation_activity( conversation_reference ), ) await callback(turn_context) async def send_activities( context: TurnContext, activities: List[Activity] ): # pylint: disable=unused-argument return [ResourceResponse(id="resourceId")] mock_adapter.continue_conversation = continue_conversation mock_adapter.send_activities = send_activities activity = Activity.create_message_activity() activity.apply_conversation_reference(conversation_reference) sut = self.create_skill_handler_for_testing(mock_adapter, legacy_factory) await sut.test_on_send_to_conversation( self._claims_identity, conversation_id, activity ) async def test_on_send_to_conversation(self): conversation_id = await self._test_id_factory.create_skill_conversation_id( self._options ) # python 3.7 doesn't support AsyncMock, change this when min ver is 3.8 send_activities_called = False mock_adapter = Mock() async def continue_conversation( reference: ConversationReference, callback: Callable, bot_id: str = None, claims_identity: ClaimsIdentity = None, audience: str = None, ): # pylint: disable=unused-argument # Invoke the callback created by the handler so we can assert the rest of the execution. turn_context = TurnContext( mock_adapter, conversation_reference_extension.get_continuation_activity( self._conversation_reference ), ) await callback(turn_context) # Assert the callback set the right properties. assert ( f"{CallerIdConstants.bot_to_bot_prefix}{self.skill_id}" ), turn_context.activity.caller_id async def send_activities( context: TurnContext, activities: List[Activity] ): # pylint: disable=unused-argument # Messages should not have a caller id set when sent back to the caller. nonlocal send_activities_called assert activities[0].caller_id is None assert activities[0].reply_to_id is None send_activities_called = True return [ResourceResponse(id="resourceId")] mock_adapter.continue_conversation = continue_conversation mock_adapter.send_activities = send_activities types_to_test = [ ActivityTypes.end_of_conversation, ActivityTypes.event, ActivityTypes.message, ] for activity_type in types_to_test: with self.subTest(act_type=activity_type): send_activities_called = False activity = Activity(type=activity_type, attachments=[], entities=[]) TurnContext.apply_conversation_reference( activity, self._conversation_reference ) sut = self.create_skill_handler_for_testing(mock_adapter) resource_response = await sut.test_on_send_to_conversation( self._claims_identity, conversation_id, activity ) if activity_type == ActivityTypes.message: assert send_activities_called assert resource_response.id == "resourceId" async def test_forwarding_on_send_to_conversation(self): conversation_id = await self._test_id_factory.create_skill_conversation_id( self._options ) resource_response_id = "rId" async def side_effect( *arg_list, **args_dict ): # pylint: disable=unused-argument fake_context = Mock() fake_context.turn_state = {} fake_context.send_activity = MagicMock(return_value=Future()) fake_context.send_activity.return_value.set_result( ResourceResponse(id=resource_response_id) ) await arg_list[1](fake_context) mock_adapter = Mock() mock_adapter.continue_conversation = side_effect mock_adapter.send_activities = MagicMock(return_value=Future()) mock_adapter.send_activities.return_value.set_result([]) sut = self.create_skill_handler_for_testing(mock_adapter) activity = Activity(type=ActivityTypes.message, attachments=[], entities=[]) TurnContext.apply_conversation_reference(activity, self._conversation_reference) assert not activity.caller_id response = await sut.test_on_send_to_conversation( self._claims_identity, conversation_id, activity ) assert response.id is resource_response_id async def test_on_reply_to_activity(self): resource_response_id = "resourceId" conversation_id = await self._test_id_factory.create_skill_conversation_id( self._options ) types_to_test = [ ActivityTypes.end_of_conversation, ActivityTypes.event, ActivityTypes.message, ] for activity_type in types_to_test: with self.subTest(act_type=activity_type): mock_adapter = Mock() mock_adapter.continue_conversation = MagicMock(return_value=Future()) mock_adapter.continue_conversation.return_value.set_result(Mock()) mock_adapter.send_activities = MagicMock(return_value=Future()) mock_adapter.send_activities.return_value.set_result( [ResourceResponse(id=resource_response_id)] ) sut = self.create_skill_handler_for_testing(mock_adapter) activity = Activity(type=activity_type, attachments=[], entities=[]) activity_id = str(uuid4()) TurnContext.apply_conversation_reference( activity, self._conversation_reference ) resource_response = await sut.test_on_reply_to_activity( self._claims_identity, conversation_id, activity_id, activity ) # continue_conversation validation ( args_continue, kwargs_continue, ) = mock_adapter.continue_conversation.call_args_list[0] mock_adapter.continue_conversation.assert_called_once() assert isinstance(args_continue[0], ConversationReference) assert callable(args_continue[1]) assert isinstance(kwargs_continue["claims_identity"], ClaimsIdentity) turn_context = TurnContext( mock_adapter, conversation_reference_extension.get_continuation_activity( self._conversation_reference ), ) await args_continue[1](turn_context) # assert the callback set the right properties. assert ( f"{CallerIdConstants.bot_to_bot_prefix}{self.skill_id}" ), turn_context.activity.caller_id if activity_type == ActivityTypes.message: # send_activities validation ( args_send, _, ) = mock_adapter.send_activities.call_args_list[0] activity_from_send = args_send[1][0] assert activity_from_send.caller_id is None assert activity_from_send.reply_to_id, activity_id assert resource_response.id, resource_response_id else: # Assert mock SendActivitiesAsync wasn't called mock_adapter.send_activities.assert_not_called() async def test_on_update_activity(self): conversation_id = await self._test_id_factory.create_skill_conversation_id( self._options ) resource_response_id = "resourceId" called_continue = False called_update = False mock_adapter = Mock() activity = Activity(type=ActivityTypes.message, attachments=[], entities=[]) activity_id = str(uuid4()) message = activity.text = f"TestUpdate {datetime.now()}." async def continue_conversation( reference: ConversationReference, callback: Callable, bot_id: str = None, claims_identity: ClaimsIdentity = None, audience: str = None, ): # pylint: disable=unused-argument # Invoke the callback created by the handler so we can assert the rest of the execution. nonlocal called_continue turn_context = TurnContext( mock_adapter, conversation_reference_extension.get_continuation_activity( self._conversation_reference ), ) await callback(turn_context) # Assert the callback set the right properties. assert ( f"{CallerIdConstants.bot_to_bot_prefix}{self.skill_id}" ), turn_context.activity.caller_id called_continue = True async def update_activity( context: TurnContext, # pylint: disable=unused-argument new_activity: Activity, ) -> ResourceResponse: # Assert the activity being sent. nonlocal called_update assert activity_id, new_activity.reply_to_id assert message, new_activity.text called_update = True return ResourceResponse(id=resource_response_id) mock_adapter.continue_conversation = continue_conversation mock_adapter.update_activity = update_activity sut = self.create_skill_handler_for_testing(mock_adapter) resource_response = await sut.test_on_update_activity( self._claims_identity, conversation_id, activity_id, activity ) assert called_continue assert called_update assert resource_response, resource_response_id async def test_on_delete_activity(self): conversation_id = await self._test_id_factory.create_skill_conversation_id( self._options ) resource_response_id = "resourceId" called_continue = False called_delete = False mock_adapter = Mock() activity_id = str(uuid4()) async def continue_conversation( reference: ConversationReference, callback: Callable, bot_id: str = None, claims_identity: ClaimsIdentity = None, audience: str = None, ): # pylint: disable=unused-argument # Invoke the callback created by the handler so we can assert the rest of the execution. nonlocal called_continue turn_context = TurnContext( mock_adapter, conversation_reference_extension.get_continuation_activity( self._conversation_reference ), ) await callback(turn_context) called_continue = True async def delete_activity( context: TurnContext, # pylint: disable=unused-argument conversation_reference: ConversationReference, ) -> ResourceResponse: # Assert the activity being sent. nonlocal called_delete # Assert the activity_id being deleted. assert activity_id, conversation_reference.activity_id called_delete = True return ResourceResponse(id=resource_response_id) mock_adapter.continue_conversation = continue_conversation mock_adapter.delete_activity = delete_activity sut = self.create_skill_handler_for_testing(mock_adapter) await sut.test_on_delete_activity( self._claims_identity, conversation_id, activity_id ) assert called_continue assert called_delete async def test_on_get_activity_members(self): conversation_id = "" mock_adapter = Mock() sut = self.create_skill_handler_for_testing(mock_adapter) activity_id = str(uuid4()) with self.assertRaises(BotActionNotImplementedError): await sut.test_on_get_activity_members( self._claims_identity, conversation_id, activity_id ) async def test_on_create_conversation(self): mock_adapter = Mock() sut = self.create_skill_handler_for_testing(mock_adapter) conversation_parameters = ConversationParameters() with self.assertRaises(BotActionNotImplementedError): await sut.test_on_create_conversation( self._claims_identity, conversation_parameters ) async def test_on_get_conversations(self): conversation_id = "" mock_adapter = Mock() sut = self.create_skill_handler_for_testing(mock_adapter) with self.assertRaises(BotActionNotImplementedError): await sut.test_on_get_conversations(self._claims_identity, conversation_id) async def test_on_get_conversation_members(self): conversation_id = "" mock_adapter = Mock() sut = self.create_skill_handler_for_testing(mock_adapter) with self.assertRaises(BotActionNotImplementedError): await sut.test_on_get_conversation_members( self._claims_identity, conversation_id ) async def test_on_get_conversation_paged_members(self): conversation_id = "" mock_adapter = Mock() sut = self.create_skill_handler_for_testing(mock_adapter) with self.assertRaises(BotActionNotImplementedError): await sut.test_on_get_conversation_paged_members( self._claims_identity, conversation_id ) async def test_on_delete_conversation_member(self): conversation_id = "" mock_adapter = Mock() sut = self.create_skill_handler_for_testing(mock_adapter) member_id = str(uuid4()) with self.assertRaises(BotActionNotImplementedError): await sut.test_on_delete_conversation_member( self._claims_identity, conversation_id, member_id ) async def test_on_send_conversation_history(self): conversation_id = "" mock_adapter = Mock() sut = self.create_skill_handler_for_testing(mock_adapter) transcript = Transcript() with self.assertRaises(BotActionNotImplementedError): await sut.test_on_send_conversation_history( self._claims_identity, conversation_id, transcript ) async def test_on_upload_attachment(self): conversation_id = "" mock_adapter = Mock() sut = self.create_skill_handler_for_testing(mock_adapter) attachment_data = AttachmentData() with self.assertRaises(BotActionNotImplementedError): await sut.test_on_upload_attachment( self._claims_identity, conversation_id, attachment_data ) async def test_event_activity(self): activity = Activity(type=ActivityTypes.event) await self.__activity_callback_test(activity) assert ( activity.caller_id == f"{CallerIdConstants.bot_to_bot_prefix}{self.skill_id}" ) async def test_eoc_activity(self): activity = Activity(type=ActivityTypes.end_of_conversation) await self.__activity_callback_test(activity) assert ( activity.caller_id == f"{CallerIdConstants.bot_to_bot_prefix}{self.skill_id}" ) async def __activity_callback_test(self, activity: Activity): conversation_id = await self._test_id_factory.create_skill_conversation_id( self._options ) mock_adapter = Mock() mock_adapter.continue_conversation = MagicMock(return_value=Future()) mock_adapter.continue_conversation.return_value.set_result(Mock()) mock_adapter.send_activities = MagicMock(return_value=Future()) mock_adapter.send_activities.return_value.set_result([]) sut = self.create_skill_handler_for_testing(mock_adapter) activity_id = str(uuid4()) TurnContext.apply_conversation_reference(activity, self._conversation_reference) await sut.test_on_reply_to_activity( self._claims_identity, conversation_id, activity_id, activity ) args, kwargs = mock_adapter.continue_conversation.call_args_list[0] assert isinstance(args[0], ConversationReference) assert callable(args[1]) assert isinstance(kwargs["claims_identity"], ClaimsIdentity) await args[1](TurnContext(mock_adapter, activity))
botbuilder-python/libraries/botbuilder-core/tests/skills/test_skill_handler.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-core/tests/skills/test_skill_handler.py", "repo_id": "botbuilder-python", "token_count": 11803 }
439
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from json import loads import aiounittest import requests_mock from botbuilder.core import ( ConversationState, MemoryStorage, MessageFactory, TurnContext, UserState, ) from botbuilder.core.adapters import TestAdapter from botbuilder.core.inspection import InspectionMiddleware, InspectionState from botbuilder.schema import Activity, ActivityTypes, ChannelAccount, Entity, Mention class TestConversationState(aiounittest.AsyncTestCase): async def test_scenario_with_inspection_middlware_passthrough(self): inspection_state = InspectionState(MemoryStorage()) inspection_middleware = InspectionMiddleware(inspection_state) adapter = TestAdapter() adapter.use(inspection_middleware) inbound_activity = MessageFactory.text("hello") async def aux_func(context: TurnContext): await context.send_activity(MessageFactory.text("hi")) await adapter.process_activity(inbound_activity, aux_func) outbound_activity = adapter.activity_buffer.pop(0) assert outbound_activity.text, "hi" async def test_should_replicate_activity_data_to_listening_emulator_following_open_and_attach( self, ): inbound_expectation, outbound_expectation, state_expectation = ( False, False, False, ) with requests_mock.Mocker() as mocker: # set up our expectations in nock - each corresponds to a trace message we expect to receive in the emulator def match_response(request): nonlocal inbound_expectation, outbound_expectation, state_expectation r_json = loads(request.text) if r_json.get("type", None) != "trace": return None if r_json.get("value", {}).get("text", None) == "hi": inbound_expectation = True return inbound_expectation if r_json.get("value", {}).get("text", None) == "echo: hi": outbound_expectation = True return outbound_expectation x_property = ( r_json.get("value", {}) .get("user_state", {}) .get("x", {}) .get("property", None) ) y_property = ( r_json.get("value", {}) .get("conversation_state", {}) .get("y", {}) .get("property", None) ) state_expectation = x_property == "hello" and y_property == "world" return state_expectation mocker.post( "https://test.com/v3/conversations/Convo1/activities", additional_matcher=match_response, json={"id": "test"}, status_code=200, ) # create the various storage and middleware objects we will be using storage = MemoryStorage() inspection_state = InspectionState(storage) user_state = UserState(storage) conversation_state = ConversationState(storage) inspection_middleware = InspectionMiddleware( inspection_state, user_state, conversation_state ) # the emulator sends an /INSPECT open command - we can use another adapter here open_activity = MessageFactory.text("/INSPECT open") async def exec_test(turn_context): await inspection_middleware.process_command(turn_context) inspection_adapter = TestAdapter(exec_test, None, True) await inspection_adapter.receive_activity(open_activity) inspection_open_result_activity = inspection_adapter.activity_buffer[0] attach_command = inspection_open_result_activity.value # the logic of teh bot including replying with a message and updating user and conversation state x_prop = user_state.create_property("x") y_prop = conversation_state.create_property("y") async def exec_test2(turn_context): await turn_context.send_activity( MessageFactory.text(f"echo: { turn_context.activity.text }") ) (await x_prop.get(turn_context, {"property": ""}))["property"] = "hello" (await y_prop.get(turn_context, {"property": ""}))["property"] = "world" await user_state.save_changes(turn_context) await conversation_state.save_changes(turn_context) application_adapter = TestAdapter(exec_test2, None, True) # IMPORTANT add the InspectionMiddleware to the adapter that is running our bot application_adapter.use(inspection_middleware) await application_adapter.receive_activity( MessageFactory.text(attach_command) ) # the attach command response is a informational message await application_adapter.receive_activity(MessageFactory.text("hi")) # trace activities should be sent to the emulator using the connector and the conversation reference # verify that all our expectations have been met assert inbound_expectation assert outbound_expectation assert state_expectation assert mocker.call_count, 3 async def test_should_replicate_activity_data_to_listening_emulator_following_open_and_attach_with_at_mention( self, ): inbound_expectation, outbound_expectation, state_expectation = ( False, False, False, ) with requests_mock.Mocker() as mocker: # set up our expectations in nock - each corresponds to a trace message we expect to receive in the emulator def match_response(request): nonlocal inbound_expectation, outbound_expectation, state_expectation r_json = loads(request.text) if r_json.get("type", None) != "trace": return None if r_json.get("value", {}).get("text", None) == "hi": inbound_expectation = True return inbound_expectation if r_json.get("value", {}).get("text", None) == "echo: hi": outbound_expectation = True return outbound_expectation x_property = ( r_json.get("value", {}) .get("user_state", {}) .get("x", {}) .get("property", None) ) y_property = ( r_json.get("value", {}) .get("conversation_state", {}) .get("y", {}) .get("property", None) ) state_expectation = x_property == "hello" and y_property == "world" return state_expectation mocker.post( "https://test.com/v3/conversations/Convo1/activities", additional_matcher=match_response, json={"id": "test"}, status_code=200, ) # create the various storage and middleware objects we will be using storage = MemoryStorage() inspection_state = InspectionState(storage) user_state = UserState(storage) conversation_state = ConversationState(storage) inspection_middleware = InspectionMiddleware( inspection_state, user_state, conversation_state ) # the emulator sends an /INSPECT open command - we can use another adapter here open_activity = MessageFactory.text("/INSPECT open") async def exec_test(turn_context): await inspection_middleware.process_command(turn_context) inspection_adapter = TestAdapter(exec_test, None, True) await inspection_adapter.receive_activity(open_activity) inspection_open_result_activity = inspection_adapter.activity_buffer[0] recipient_id = "bot" attach_command = ( f"<at>{ recipient_id }</at> { inspection_open_result_activity.value }" ) # the logic of teh bot including replying with a message and updating user and conversation state x_prop = user_state.create_property("x") y_prop = conversation_state.create_property("y") async def exec_test2(turn_context): await turn_context.send_activity( MessageFactory.text(f"echo: {turn_context.activity.text}") ) (await x_prop.get(turn_context, {"property": ""}))["property"] = "hello" (await y_prop.get(turn_context, {"property": ""}))["property"] = "world" await user_state.save_changes(turn_context) await conversation_state.save_changes(turn_context) application_adapter = TestAdapter(exec_test2, None, True) # IMPORTANT add the InspectionMiddleware to the adapter that is running our bot application_adapter.use(inspection_middleware) attach_activity = Activity( type=ActivityTypes.message, text=attach_command, recipient=ChannelAccount(id=recipient_id), entities=[ Entity().deserialize( Mention( type="mention", text=f"<at>{recipient_id}</at>", mentioned=ChannelAccount(name="Bot", id=recipient_id), ).serialize() ) ], ) await application_adapter.receive_activity(attach_activity) # the attach command response is a informational message await application_adapter.receive_activity(MessageFactory.text("hi")) # trace activities should be sent to the emulator using the connector and the conversation reference # verify that all our expectations have been met assert inbound_expectation assert outbound_expectation assert state_expectation assert mocker.call_count, 3
botbuilder-python/libraries/botbuilder-core/tests/test_inspection_middleware.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-core/tests/test_inspection_middleware.py", "repo_id": "botbuilder-python", "token_count": 4826 }
440
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from abc import ABC from botbuilder.core import TurnContext from botbuilder.core.bot_framework_adapter import TokenExchangeRequest from botbuilder.core.oauth import ConnectorClientBuilder, ExtendedUserTokenProvider from botbuilder.schema import TokenResponse from botframework.connector import ConnectorClient from botframework.connector.auth import ClaimsIdentity, ConnectorFactory from botframework.connector.auth.user_token_client import UserTokenClient from botframework.connector.token_api.models import SignInUrlResponse from .prompts.oauth_prompt_settings import OAuthPromptSettings class _UserTokenAccess(ABC): @staticmethod async def get_user_token( turn_context: TurnContext, settings: OAuthPromptSettings, magic_code: str ) -> TokenResponse: user_token_client: UserTokenClient = turn_context.turn_state.get( UserTokenClient.__name__, None ) if user_token_client: return await user_token_client.get_user_token( turn_context.activity.from_property.id, settings.connection_name, turn_context.activity.channel_id, magic_code, ) if isinstance(turn_context.adapter, ExtendedUserTokenProvider): return await turn_context.adapter.get_user_token( turn_context, settings.connection_name, magic_code, settings.oath_app_credentials, ) raise TypeError("OAuthPrompt is not supported by the current adapter") @staticmethod async def get_sign_in_resource( turn_context: TurnContext, settings: OAuthPromptSettings ) -> SignInUrlResponse: user_token_client: UserTokenClient = turn_context.turn_state.get( UserTokenClient.__name__, None ) if user_token_client: return await user_token_client.get_sign_in_resource( settings.connection_name, turn_context.activity, None ) if isinstance(turn_context.adapter, ExtendedUserTokenProvider): return await turn_context.adapter.get_sign_in_resource_from_user_and_credentials( turn_context, settings.oath_app_credentials, settings.connection_name, turn_context.activity.from_property.id if turn_context.activity and turn_context.activity.from_property else None, ) raise TypeError("OAuthPrompt is not supported by the current adapter") @staticmethod async def sign_out_user(turn_context: TurnContext, settings: OAuthPromptSettings): user_token_client: UserTokenClient = turn_context.turn_state.get( UserTokenClient.__name__, None ) if user_token_client: return await user_token_client.sign_out_user( turn_context.activity.from_property.id, settings.connection_name, turn_context.activity.channel_id, ) if isinstance(turn_context.adapter, ExtendedUserTokenProvider): return await turn_context.adapter.sign_out_user( turn_context, settings.connection_name, turn_context.activity.from_property.id if turn_context.activity and turn_context.activity.from_property else None, settings.oath_app_credentials, ) raise TypeError("OAuthPrompt is not supported by the current adapter") @staticmethod async def exchange_token( turn_context: TurnContext, settings: OAuthPromptSettings, token_exchange_request: TokenExchangeRequest, ) -> TokenResponse: user_token_client: UserTokenClient = turn_context.turn_state.get( UserTokenClient.__name__, None ) user_id = turn_context.activity.from_property.id if user_token_client: channel_id = turn_context.activity.channel_id return await user_token_client.exchange_token( user_id, channel_id, token_exchange_request, ) if isinstance(turn_context.adapter, ExtendedUserTokenProvider): return await turn_context.adapter.exchange_token( turn_context, settings.connection_name, user_id, token_exchange_request, ) raise TypeError("OAuthPrompt is not supported by the current adapter") @staticmethod async def create_connector_client( turn_context: TurnContext, service_url: str, claims_identity: ClaimsIdentity, audience: str, ) -> ConnectorClient: connector_factory: ConnectorFactory = turn_context.turn_state.get( ConnectorFactory.__name__, None ) if connector_factory: return await connector_factory.create(service_url, audience) if isinstance(turn_context.adapter, ConnectorClientBuilder): return await turn_context.adapter.create_connector_client( service_url, claims_identity, audience, ) raise TypeError("OAuthPrompt is not supported by the current adapter")
botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/_user_token_access.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/_user_token_access.py", "repo_id": "botbuilder-python", "token_count": 2328 }
441
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. class Token: """Represents an individual token, such as a word in an input string.""" def __init__(self, start: int, end: int, text: str, normalized: str): """ Parameters: ---------- start: The index of the first character of the token within the outer input string. end: The index of the last character of the token within the outer input string. text: The original text of the token. normalized: A normalized version of the token. This can include things like lower casing or stemming. """ self.start = start self.end = end self.text = text self.normalized = normalized
botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/choices/token.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/choices/token.py", "repo_id": "botbuilder-python", "token_count": 259 }
442
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from enum import Enum class DialogTurnStatus(Enum): """ Indicates in which a dialog-related method is being called. :var Empty: Indicates that there is currently nothing on the dialog stack. :vartype Empty: int :var Waiting: Indicates that the dialog on top is waiting for a response from the user. :vartype Waiting: int :var Complete: Indicates that the dialog completed successfully, the result is available, and the stack is empty. :vartype Complete: int :var Cancelled: Indicates that the dialog was cancelled and the stack is empty. :vartype Cancelled: int """ Empty = 1 Waiting = 2 Complete = 3 Cancelled = 4
botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/dialog_turn_status.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/dialog_turn_status.py", "repo_id": "botbuilder-python", "token_count": 232 }
443
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. # User memory scope root path. # <remarks>This property is deprecated, use ScopePath.User instead.</remarks> USER = "user" # Conversation memory scope root path. # <remarks>This property is deprecated, use ScopePath.Conversation instead.</remark CONVERSATION = "conversation" # Dialog memory scope root path. # <remarks>This property is deprecated, use ScopePath.Dialog instead.</remark DIALOG = "dialog" # DialogClass memory scope root path. # <remarks>This property is deprecated, use ScopePath.DialogClass instead.</remark DIALOG_CLASS = "dialogclass" # This memory scope root path. # <remarks>This property is deprecated, use ScopePath.This instead.</remark THIS = "this" # Class memory scope root path. # <remarks>This property is deprecated, use ScopePath.Class instead.</remarks> CLASS = "class" # Settings memory scope root path. # <remarks>This property is deprecated, use ScopePath.Settings instead.</remarks> SETTINGS = "settings" # Turn memory scope root path. # <remarks>This property is deprecated, use ScopePath.Turn instead.</remarks> TURN = "turn"
botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/memory/scope_path.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/memory/scope_path.py", "repo_id": "botbuilder-python", "token_count": 328 }
444
# coding=utf-8 # -------------------------------------------------------------------------- # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for # license information. # -------------------------------------------------------------------------- from .activity_prompt import ActivityPrompt from .attachment_prompt import AttachmentPrompt from .choice_prompt import ChoicePrompt from .confirm_prompt import ConfirmPrompt from .datetime_prompt import DateTimePrompt from .datetime_resolution import DateTimeResolution from .number_prompt import NumberPrompt from .oauth_prompt import OAuthPrompt from .oauth_prompt_settings import OAuthPromptSettings from .prompt_culture_models import PromptCultureModel, PromptCultureModels from .prompt_options import PromptOptions from .prompt_recognizer_result import PromptRecognizerResult from .prompt_validator_context import PromptValidatorContext from .prompt import Prompt from .text_prompt import TextPrompt __all__ = [ "ActivityPrompt", "AttachmentPrompt", "ChoicePrompt", "ConfirmPrompt", "DateTimePrompt", "DateTimeResolution", "NumberPrompt", "OAuthPrompt", "OAuthPromptSettings", "PromptCultureModel", "PromptCultureModels", "PromptOptions", "PromptRecognizerResult", "PromptValidatorContext", "Prompt", "PromptOptions", "TextPrompt", ]
botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/prompts/__init__.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/prompts/__init__.py", "repo_id": "botbuilder-python", "token_count": 421 }
445
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from typing import Dict from botbuilder.core import TurnContext from botbuilder.schema import ActivityTypes from .prompt import Prompt from .prompt_options import PromptOptions from .prompt_recognizer_result import PromptRecognizerResult class TextPrompt(Prompt): async def on_prompt( self, turn_context: TurnContext, state: Dict[str, object], options: PromptOptions, is_retry: bool, ): if not turn_context: raise TypeError("TextPrompt.on_prompt(): turn_context cannot be None.") if not options: raise TypeError("TextPrompt.on_prompt(): options cannot be None.") if is_retry and options.retry_prompt is not None: await turn_context.send_activity(options.retry_prompt) else: if options.prompt is not None: await turn_context.send_activity(options.prompt) async def on_recognize( self, turn_context: TurnContext, state: Dict[str, object], options: PromptOptions, ) -> PromptRecognizerResult: if not turn_context: raise TypeError( "DateTimePrompt.on_recognize(): turn_context cannot be None." ) result = PromptRecognizerResult() if turn_context.activity.type == ActivityTypes.message: message = turn_context.activity if message.text is not None: result.succeeded = True result.value = message.text return result
botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/prompts/text_prompt.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-dialogs/botbuilder/dialogs/prompts/text_prompt.py", "repo_id": "botbuilder-python", "token_count": 668 }
446
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import aiounittest from botbuilder.dialogs.choices import Tokenizer def _assert_token(token, start, end, text, normalized=None): assert ( token.start == start ), f"Invalid token.start of '{token.start}' for '{text}' token." assert token.end == end, f"Invalid token.end of '{token.end}' for '{text}' token." assert ( token.text == text ), f"Invalid token.text of '{token.text}' for '{text}' token." assert ( token.normalized == normalized or text ), f"Invalid token.normalized of '{token.normalized}' for '{text}' token." class AttachmentPromptTests(aiounittest.AsyncTestCase): def test_should_break_on_spaces(self): tokens = Tokenizer.default_tokenizer("how now brown cow") assert len(tokens) == 4 _assert_token(tokens[0], 0, 2, "how") _assert_token(tokens[1], 4, 6, "now") _assert_token(tokens[2], 8, 12, "brown") _assert_token(tokens[3], 14, 16, "cow") def test_should_break_on_punctuation(self): tokens = Tokenizer.default_tokenizer("how-now.brown:cow?") assert len(tokens) == 4 _assert_token(tokens[0], 0, 2, "how") _assert_token(tokens[1], 4, 6, "now") _assert_token(tokens[2], 8, 12, "brown") _assert_token(tokens[3], 14, 16, "cow") def test_should_tokenize_single_character_tokens(self): tokens = Tokenizer.default_tokenizer("a b c d") assert len(tokens) == 4 _assert_token(tokens[0], 0, 0, "a") _assert_token(tokens[1], 2, 2, "b") _assert_token(tokens[2], 4, 4, "c") _assert_token(tokens[3], 6, 6, "d") def test_should_return_a_single_token(self): tokens = Tokenizer.default_tokenizer("food") assert len(tokens) == 1 _assert_token(tokens[0], 0, 3, "food") def test_should_return_no_tokens(self): tokens = Tokenizer.default_tokenizer(".?-()") assert not tokens def test_should_return_a_the_normalized_and_original_text_for_a_token(self): tokens = Tokenizer.default_tokenizer("fOoD") assert len(tokens) == 1 _assert_token(tokens[0], 0, 3, "fOoD", "food") def test_should_break_on_emojis(self): tokens = Tokenizer.default_tokenizer("food πŸ’₯πŸ‘πŸ˜€") assert len(tokens) == 4 _assert_token(tokens[0], 0, 3, "food") _assert_token(tokens[1], 5, 5, "πŸ’₯") _assert_token(tokens[2], 6, 6, "πŸ‘") _assert_token(tokens[3], 7, 7, "πŸ˜€")
botbuilder-python/libraries/botbuilder-dialogs/tests/choices/test_choice_tokenizer.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-dialogs/tests/choices/test_choice_tokenizer.py", "repo_id": "botbuilder-python", "token_count": 1162 }
447
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import aiounittest from botbuilder.core.adapters import TestAdapter, TestFlow from botbuilder.schema import Activity from botbuilder.core import ConversationState, MemoryStorage, TurnContext from botbuilder.dialogs import ( Dialog, DialogSet, WaterfallDialog, WaterfallStepContext, DialogTurnResult, DialogTurnStatus, ) class MyWaterfallDialog(WaterfallDialog): def __init__(self, dialog_id: str): super(MyWaterfallDialog, self).__init__(dialog_id) async def waterfall2_step1( step_context: WaterfallStepContext, ) -> DialogTurnResult: await step_context.context.send_activity("step1") return Dialog.end_of_turn async def waterfall2_step2( step_context: WaterfallStepContext, ) -> DialogTurnResult: await step_context.context.send_activity("step2") return Dialog.end_of_turn async def waterfall2_step3( step_context: WaterfallStepContext, ) -> DialogTurnResult: await step_context.context.send_activity("step3") return Dialog.end_of_turn self.add_step(waterfall2_step1) self.add_step(waterfall2_step2) self.add_step(waterfall2_step3) BEGIN_MESSAGE = Activity() BEGIN_MESSAGE.text = "begin" BEGIN_MESSAGE.type = "message" class WaterfallTests(aiounittest.AsyncTestCase): def test_waterfall_none_name(self): self.assertRaises(TypeError, (lambda: WaterfallDialog(None))) def test_waterfall_add_none_step(self): waterfall = WaterfallDialog("test") self.assertRaises(TypeError, (lambda: waterfall.add_step(None))) async def test_waterfall_with_set_instead_of_array(self): self.assertRaises(TypeError, lambda: WaterfallDialog("a", {1, 2})) # TODO:WORK IN PROGRESS async def test_execute_sequence_waterfall_steps(self): # Create new ConversationState with MemoryStorage and register the state as middleware. convo_state = ConversationState(MemoryStorage()) # Create a DialogState property, DialogSet and register the WaterfallDialog. dialog_state = convo_state.create_property("dialogState") dialogs = DialogSet(dialog_state) async def step1(step) -> DialogTurnResult: await step.context.send_activity("bot responding.") return Dialog.end_of_turn async def step2(step) -> DialogTurnResult: return await step.end_dialog("ending WaterfallDialog.") my_dialog = WaterfallDialog("test", [step1, step2]) dialogs.add(my_dialog) # Initialize TestAdapter async def exec_test(turn_context: TurnContext) -> None: dialog_context = await dialogs.create_context(turn_context) results = await dialog_context.continue_dialog() if results.status == DialogTurnStatus.Empty: await dialog_context.begin_dialog("test") else: if results.status == DialogTurnStatus.Complete: await turn_context.send_activity(results.result) await convo_state.save_changes(turn_context) adapt = TestAdapter(exec_test) test_flow = TestFlow(None, adapt) tf2 = await test_flow.send(BEGIN_MESSAGE) tf3 = await tf2.assert_reply("bot responding.") tf4 = await tf3.send("continue") await tf4.assert_reply("ending WaterfallDialog.") async def test_waterfall_callback(self): convo_state = ConversationState(MemoryStorage()) TestAdapter() dialog_state = convo_state.create_property("dialogState") dialogs = DialogSet(dialog_state) async def step_callback1(step: WaterfallStepContext) -> DialogTurnResult: await step.context.send_activity("step1") async def step_callback2(step: WaterfallStepContext) -> DialogTurnResult: await step.context.send_activity("step2") async def step_callback3(step: WaterfallStepContext) -> DialogTurnResult: await step.context.send_activity("step3") steps = [step_callback1, step_callback2, step_callback3] dialogs.add(WaterfallDialog("test", steps)) self.assertNotEqual(dialogs, None) self.assertEqual(len(dialogs._dialogs), 1) # pylint: disable=protected-access # TODO: Fix TestFlow async def test_waterfall_with_class(self): convo_state = ConversationState(MemoryStorage()) TestAdapter() # TODO: Fix Autosave Middleware dialog_state = convo_state.create_property("dialogState") dialogs = DialogSet(dialog_state) dialogs.add(MyWaterfallDialog("test")) self.assertNotEqual(dialogs, None) self.assertEqual(len(dialogs._dialogs), 1) # pylint: disable=protected-access # TODO: Fix TestFlow def test_waterfall_prompt(self): ConversationState(MemoryStorage()) TestAdapter() # TODO: Fix Autosave Middleware # TODO: Fix TestFlow def test_waterfall_nested(self): ConversationState(MemoryStorage()) TestAdapter() # TODO: Fix Autosave Middleware # TODO: Fix TestFlow def test_datetimeprompt_first_invalid_then_valid_input(self): ConversationState(MemoryStorage()) TestAdapter() # TODO: Fix Autosave Middleware # TODO: Fix TestFlow
botbuilder-python/libraries/botbuilder-dialogs/tests/test_waterfall.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-dialogs/tests/test_waterfall.py", "repo_id": "botbuilder-python", "token_count": 2220 }
448
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import asyncio import traceback from typing import Any, Optional, Union from aiohttp import ClientWebSocketResponse, WSMsgType, ClientSession from aiohttp.web import WebSocketResponse from botframework.streaming.transport.web_socket import ( WebSocket, WebSocketMessage, WebSocketCloseStatus, WebSocketMessageType, WebSocketState, ) class AiohttpWebSocket(WebSocket): def __init__( self, aiohttp_ws: Union[WebSocketResponse, ClientWebSocketResponse], session: Optional[ClientSession] = None, ): self._aiohttp_ws = aiohttp_ws self._session = session def dispose(self): if self._session: task = asyncio.create_task(self._session.close()) async def close(self, close_status: WebSocketCloseStatus, status_description: str): await self._aiohttp_ws.close( code=int(close_status), message=status_description.encode("utf8") ) async def receive(self) -> WebSocketMessage: try: message = await self._aiohttp_ws.receive() if message.type == WSMsgType.TEXT: message_data = list(str(message.data).encode("ascii")) elif message.type == WSMsgType.BINARY: message_data = list(message.data) elif isinstance(message.data, int): message_data = [] # async for message in self._aiohttp_ws: return WebSocketMessage( message_type=WebSocketMessageType(int(message.type)), data=message_data ) except Exception as error: traceback.print_exc() raise error async def send( self, buffer: Any, message_type: WebSocketMessageType, end_of_message: bool ): is_closing = self._aiohttp_ws.closed try: if message_type == WebSocketMessageType.BINARY: # TODO: The clening buffer line should be removed, just for bypassing bug in POC clean_buffer = bytes([byte for byte in buffer if byte is not None]) await self._aiohttp_ws.send_bytes(clean_buffer) elif message_type == WebSocketMessageType.TEXT: await self._aiohttp_ws.send_str(buffer) else: raise RuntimeError( f"AiohttpWebSocket - message_type: {message_type} currently not supported" ) except Exception as error: traceback.print_exc() raise error @property def status(self) -> WebSocketState: return WebSocketState.CLOSED if self._aiohttp_ws.closed else WebSocketState.OPEN
botbuilder-python/libraries/botbuilder-integration-aiohttp/botbuilder/integration/aiohttp/streaming/aiohttp_web_socket.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-integration-aiohttp/botbuilder/integration/aiohttp/streaming/aiohttp_web_socket.py", "repo_id": "botbuilder-python", "token_count": 1168 }
449
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from warnings import warn from ._models_py3 import Activity from ._models_py3 import ActivityEventNames from ._models_py3 import AdaptiveCardInvokeAction from ._models_py3 import AdaptiveCardInvokeResponse from ._models_py3 import AdaptiveCardInvokeValue from ._models_py3 import AnimationCard from ._models_py3 import Attachment from ._models_py3 import AttachmentData from ._models_py3 import AttachmentInfo from ._models_py3 import AttachmentView from ._models_py3 import AudioCard from ._models_py3 import BasicCard from ._models_py3 import CardAction from ._models_py3 import CardImage from ._models_py3 import ChannelAccount from ._models_py3 import ConversationAccount from ._models_py3 import ConversationMembers from ._models_py3 import ConversationParameters from ._models_py3 import ConversationReference from ._models_py3 import ConversationResourceResponse from ._models_py3 import ConversationsResult from ._models_py3 import ExpectedReplies from ._models_py3 import Entity from ._models_py3 import Error from ._models_py3 import ErrorResponse, ErrorResponseException from ._models_py3 import Fact from ._models_py3 import GeoCoordinates from ._models_py3 import HeroCard from ._models_py3 import InnerHttpError from ._models_py3 import InvokeResponse from ._models_py3 import MediaCard from ._models_py3 import MediaEventValue from ._models_py3 import MediaUrl from ._models_py3 import Mention from ._models_py3 import MessageReaction from ._models_py3 import OAuthCard from ._models_py3 import PagedMembersResult from ._models_py3 import Place from ._models_py3 import ReceiptCard from ._models_py3 import ReceiptItem from ._models_py3 import ResourceResponse from ._models_py3 import SemanticAction from ._models_py3 import SigninCard from ._models_py3 import SuggestedActions from ._models_py3 import TextHighlight from ._models_py3 import Thing from ._models_py3 import ThumbnailCard from ._models_py3 import ThumbnailUrl from ._models_py3 import TokenExchangeInvokeRequest from ._models_py3 import TokenExchangeInvokeResponse from ._models_py3 import TokenExchangeState from ._models_py3 import TokenRequest from ._models_py3 import TokenResponse from ._models_py3 import Transcript from ._models_py3 import VideoCard from ._connector_client_enums import ( ActionTypes, ActivityImportance, ActivityTypes, AttachmentLayoutTypes, ContactRelationUpdateActionTypes, DeliveryModes, EndOfConversationCodes, InputHints, InstallationUpdateActionTypes, MessageReactionTypes, RoleTypes, TextFormatTypes, ) from ._sign_in_enums import SignInConstants from .callerid_constants import CallerIdConstants from .speech_constants import SpeechConstants __all__ = [ "Activity", "ActivityEventNames", "AdaptiveCardInvokeAction", "AdaptiveCardInvokeResponse", "AdaptiveCardInvokeValue", "AnimationCard", "Attachment", "AttachmentData", "AttachmentInfo", "AttachmentView", "AudioCard", "BasicCard", "CardAction", "CardImage", "ChannelAccount", "ConversationAccount", "ConversationMembers", "ConversationParameters", "ConversationReference", "ConversationResourceResponse", "ConversationsResult", "ExpectedReplies", "Entity", "Error", "ErrorResponse", "ErrorResponseException", "Fact", "GeoCoordinates", "HeroCard", "InnerHttpError", "InvokeResponse", "MediaCard", "MediaEventValue", "MediaUrl", "Mention", "MessageReaction", "OAuthCard", "PagedMembersResult", "Place", "ReceiptCard", "ReceiptItem", "ResourceResponse", "SemanticAction", "SigninCard", "SignInConstants", "SuggestedActions", "TextHighlight", "Thing", "ThumbnailCard", "ThumbnailUrl", "TokenExchangeInvokeRequest", "TokenExchangeInvokeResponse", "TokenExchangeState", "TokenRequest", "TokenResponse", "Transcript", "VideoCard", "RoleTypes", "ActivityTypes", "TextFormatTypes", "AttachmentLayoutTypes", "MessageReactionTypes", "InputHints", "ActionTypes", "EndOfConversationCodes", "ActivityImportance", "DeliveryModes", "ContactRelationUpdateActionTypes", "InstallationUpdateActionTypes", "CallerIdConstants", "SpeechConstants", ]
botbuilder-python/libraries/botbuilder-schema/botbuilder/schema/__init__.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-schema/botbuilder/schema/__init__.py", "repo_id": "botbuilder-python", "token_count": 1440 }
450
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import os __title__ = "botbuilder-testing" __version__ = ( os.environ["packageVersion"] if "packageVersion" in os.environ else "4.16.0" ) __uri__ = "https://www.github.com/Microsoft/botbuilder-python" __author__ = "Microsoft" __description__ = "Microsoft Bot Framework Bot Builder" __summary__ = "Microsoft Bot Framework Bot Builder SDK for Python." __license__ = "MIT"
botbuilder-python/libraries/botbuilder-testing/botbuilder/testing/about.py/0
{ "file_path": "botbuilder-python/libraries/botbuilder-testing/botbuilder/testing/about.py", "repo_id": "botbuilder-python", "token_count": 139 }
451
# coding=utf-8 # -------------------------------------------------------------------------- # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for # license information. # -------------------------------------------------------------------------- from ._attachments_operations_async import AttachmentsOperations from ._conversations_operations_async import ConversationsOperations __all__ = ["AttachmentsOperations", "ConversationsOperations"]
botbuilder-python/libraries/botframework-connector/botframework/connector/aio/operations_async/__init__.py/0
{ "file_path": "botbuilder-python/libraries/botframework-connector/botframework/connector/aio/operations_async/__init__.py", "repo_id": "botbuilder-python", "token_count": 104 }
452
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from typing import Awaitable, Callable, Dict, List from .authentication_constants import AuthenticationConstants class AuthenticationConfiguration: def __init__( self, required_endorsements: List[str] = None, claims_validator: Callable[[List[Dict]], Awaitable] = None, valid_token_issuers: List[str] = None, tenant_id: str = None, ): self.required_endorsements = required_endorsements or [] self.claims_validator = claims_validator self.valid_token_issuers = valid_token_issuers or [] if tenant_id: self.add_tenant_issuers(self, tenant_id) @staticmethod def add_tenant_issuers(authentication_configuration, tenant_id: str): authentication_configuration.valid_token_issuers.append( AuthenticationConstants.VALID_TOKEN_ISSUER_URL_TEMPLATE_V1.format(tenant_id) ) authentication_configuration.valid_token_issuers.append( AuthenticationConstants.VALID_TOKEN_ISSUER_URL_TEMPLATE_V2.format(tenant_id) ) authentication_configuration.valid_token_issuers.append( AuthenticationConstants.VALID_GOVERNMENT_TOKEN_ISSUER_URL_TEMPLATE_V1.format( tenant_id ) ) authentication_configuration.valid_token_issuers.append( AuthenticationConstants.VALID_GOVERNMENT_TOKEN_ISSUER_URL_TEMPLATE_V2.format( tenant_id ) )
botbuilder-python/libraries/botframework-connector/botframework/connector/auth/authentication_configuration.py/0
{ "file_path": "botbuilder-python/libraries/botframework-connector/botframework/connector/auth/authentication_configuration.py", "repo_id": "botbuilder-python", "token_count": 669 }
453
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from typing import Dict, List, Union from botbuilder.schema import Activity, RoleTypes from ..channels import Channels from .authentication_configuration import AuthenticationConfiguration from .authentication_constants import AuthenticationConstants from .emulator_validation import EmulatorValidation from .enterprise_channel_validation import EnterpriseChannelValidation from .channel_validation import ChannelValidation from .credential_provider import CredentialProvider from .claims_identity import ClaimsIdentity from .government_constants import GovernmentConstants from .government_channel_validation import GovernmentChannelValidation from .skill_validation import SkillValidation from .channel_provider import ChannelProvider class JwtTokenValidation: # TODO remove the default value on channel_service @staticmethod async def authenticate_request( activity: Activity, auth_header: str, credentials: CredentialProvider, channel_service_or_provider: Union[str, ChannelProvider] = "", auth_configuration: AuthenticationConfiguration = None, ) -> ClaimsIdentity: """Authenticates the request and sets the service url in the set of trusted urls. :param activity: The incoming Activity from the Bot Framework or the Emulator :type activity: ~botframework.connector.models.Activity :param auth_header: The Bearer token included as part of the request :type auth_header: str :param credentials: The set of valid credentials, such as the Bot Application ID :param channel_service_or_provider: String for the channel service :param auth_configuration: Authentication configuration :type credentials: CredentialProvider :raises Exception: """ if not auth_header: # No auth header was sent. We might be on the anonymous code path. auth_is_disabled = await credentials.is_authentication_disabled() if not auth_is_disabled: # No Auth Header. Auth is required. Request is not authorized. raise PermissionError("Unauthorized Access. Request is not authorized") # Check if the activity is for a skill call and is coming from the Emulator. try: if ( activity.channel_id == Channels.emulator and activity.recipient.role == RoleTypes.skill and activity.relates_to is not None ): # Return an anonymous claim with an anonymous skill AppId return SkillValidation.create_anonymous_skill_claim() except AttributeError: pass # In the scenario where Auth is disabled, we still want to have the # IsAuthenticated flag set in the ClaimsIdentity. To do this requires # adding in an empty claim. return ClaimsIdentity({}, True, AuthenticationConstants.ANONYMOUS_AUTH_TYPE) # Validate the header and extract claims. claims_identity = await JwtTokenValidation.validate_auth_header( auth_header, credentials, channel_service_or_provider, activity.channel_id, activity.service_url, auth_configuration, ) return claims_identity @staticmethod async def validate_auth_header( auth_header: str, credentials: CredentialProvider, channel_service_or_provider: Union[str, ChannelProvider], channel_id: str, service_url: str = None, auth_configuration: AuthenticationConfiguration = None, ) -> ClaimsIdentity: if not auth_header: raise ValueError("argument auth_header is null") async def get_claims() -> ClaimsIdentity: if SkillValidation.is_skill_token(auth_header): return await SkillValidation.authenticate_channel_token( auth_header, credentials, channel_service_or_provider, channel_id, auth_configuration, ) if EmulatorValidation.is_token_from_emulator(auth_header): return await EmulatorValidation.authenticate_emulator_token( auth_header, credentials, channel_service_or_provider, channel_id ) is_public = ( not channel_service_or_provider or isinstance(channel_service_or_provider, ChannelProvider) and channel_service_or_provider.is_public_azure() ) is_gov = ( isinstance(channel_service_or_provider, ChannelProvider) and channel_service_or_provider.is_government() or isinstance(channel_service_or_provider, str) and JwtTokenValidation.is_government(channel_service_or_provider) ) # If the channel is Public Azure if is_public: if service_url: return await ChannelValidation.authenticate_channel_token_with_service_url( auth_header, credentials, service_url, channel_id, auth_configuration, ) return await ChannelValidation.authenticate_channel_token( auth_header, credentials, channel_id, auth_configuration ) if is_gov: if service_url: return await GovernmentChannelValidation.authenticate_channel_token_with_service_url( auth_header, credentials, service_url, channel_id, auth_configuration, ) return await GovernmentChannelValidation.authenticate_channel_token( auth_header, credentials, channel_id, auth_configuration ) # Otherwise use Enterprise Channel Validation if service_url: return await EnterpriseChannelValidation.authenticate_channel_token_with_service_url( auth_header, credentials, service_url, channel_id, channel_service_or_provider, auth_configuration, ) return await EnterpriseChannelValidation.authenticate_channel_token( auth_header, credentials, channel_id, channel_service_or_provider, auth_configuration, ) claims = await get_claims() if claims: await JwtTokenValidation.validate_claims(auth_configuration, claims.claims) return claims @staticmethod async def validate_claims( auth_config: AuthenticationConfiguration, claims: List[Dict] ): if auth_config and auth_config.claims_validator: await auth_config.claims_validator(claims) elif SkillValidation.is_skill_claim(claims): # Skill claims must be validated using AuthenticationConfiguration claims_validator raise PermissionError( "Unauthorized Access. Request is not authorized. Skill Claims require validation." ) @staticmethod def is_government(channel_service: str) -> bool: return ( channel_service and channel_service.lower() == GovernmentConstants.CHANNEL_SERVICE ) @staticmethod def get_app_id_from_claims(claims: Dict[str, object]) -> str: app_id = None # Depending on Version, the is either in the # appid claim (Version 1) or the Authorized Party claim (Version 2). token_version = claims.get(AuthenticationConstants.VERSION_CLAIM) if not token_version or token_version == "1.0": # either no Version or a version of "1.0" means we should look for # the claim in the "appid" claim. app_id = claims.get(AuthenticationConstants.APP_ID_CLAIM) elif token_version == "2.0": app_id = claims.get(AuthenticationConstants.AUTHORIZED_PARTY) return app_id @staticmethod def is_valid_token_format(auth_header: str) -> bool: if not auth_header: # No token. Can't be an emulator token. return False parts = auth_header.split(" ") if len(parts) != 2: # Emulator tokens MUST have exactly 2 parts. # If we don't have 2 parts, it's not an emulator token return False auth_scheme = parts[0] # The scheme MUST be "Bearer" return auth_scheme == "Bearer"
botbuilder-python/libraries/botframework-connector/botframework/connector/auth/jwt_token_validation.py/0
{ "file_path": "botbuilder-python/libraries/botframework-connector/botframework/connector/auth/jwt_token_validation.py", "repo_id": "botbuilder-python", "token_count": 3939 }
454
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from abc import ABC, abstractmethod from http import HTTPStatus from typing import Union class HttpResponseBase(ABC): @property @abstractmethod def status_code(self) -> Union[HTTPStatus, int]: raise NotImplementedError() @abstractmethod async def is_succesful(self) -> bool: raise NotImplementedError() @abstractmethod async def read_content_str(self) -> str: raise NotImplementedError()
botbuilder-python/libraries/botframework-connector/botframework/connector/http_response_base.py/0
{ "file_path": "botbuilder-python/libraries/botframework-connector/botframework/connector/http_response_base.py", "repo_id": "botbuilder-python", "token_count": 181 }
455
# coding=utf-8 # -------------------------------------------------------------------------- # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for # license information. # -------------------------------------------------------------------------- from msrest.async_client import SDKClientAsync from msrest import Serializer, Deserializer from .._configuration import TokenApiClientConfiguration from .operations_async._bot_sign_in_operations_async import BotSignInOperations from .operations_async._user_token_operations_async import UserTokenOperations from .. import models class TokenApiClient(SDKClientAsync): """TokenApiClient :ivar config: Configuration for client. :vartype config: TokenApiClientConfiguration :ivar bot_sign_in: BotSignIn operations :vartype bot_sign_in: botframework.tokenapi.aio.operations_async.BotSignInOperations :ivar user_token: UserToken operations :vartype user_token: botframework.tokenapi.aio.operations_async.UserTokenOperations :param credentials: Subscription credentials which uniquely identify client subscription. :type credentials: None :param str base_url: Service URL """ def __init__(self, credentials, base_url=None): self.config = TokenApiClientConfiguration(credentials, base_url) super(TokenApiClient, self).__init__(self.config) client_models = { k: v for k, v in models.__dict__.items() if isinstance(v, type) } self.api_version = "token" self._serialize = Serializer(client_models) self._deserialize = Deserializer(client_models) self.bot_sign_in = BotSignInOperations( self._client, self.config, self._serialize, self._deserialize ) self.user_token = UserTokenOperations( self._client, self.config, self._serialize, self._deserialize )
botbuilder-python/libraries/botframework-connector/botframework/connector/token_api/aio/_token_api_client_async.py/0
{ "file_path": "botbuilder-python/libraries/botframework-connector/botframework/connector/token_api/aio/_token_api_client_async.py", "repo_id": "botbuilder-python", "token_count": 643 }
456
interactions: - request: body: null headers: Accept: [application/json] Accept-Encoding: ['gzip, deflate'] Connection: [keep-alive] Content-Type: [application/json; charset=utf-8] User-Agent: [python/3.5.3 (Linux-4.11.0-041100-generic-x86_64-with-Ubuntu-17.04-zesty) requests/2.18.1 msrest/0.4.23 azure-botframework-connector/v3.0] method: GET uri: https://slack.botframework.com/v3/conversations/B21UTEF8S%3AT03CWQ0QB%3AD2369CT7C/members response: body: {string: "[\r\n {\r\n \"id\": \"B21UTEF8S:T03CWQ0QB\",\r\n \"name\"\ : \"botbuilder-pc-bot\"\r\n },\r\n {\r\n \"id\": \"U19KH8EHJ:T03CWQ0QB\"\ ,\r\n \"name\": \"pc\"\r\n }\r\n]"} headers: cache-control: [no-cache] content-length: ['144'] content-type: [application/json; charset=utf-8] date: ['Tue, 26 Dec 2017 13:51:30 GMT'] expires: ['-1'] pragma: [no-cache] request-context: ['appId=cid-v1:6814484e-c0d5-40ea-9dba-74ff29ca4f62'] server: [Microsoft-IIS/10.0] strict-transport-security: [max-age=31536000] vary: [Accept-Encoding] x-powered-by: [ASP.NET] status: {code: 200, message: OK} version: 1
botbuilder-python/libraries/botframework-connector/tests/recordings/test_conversations_get_conversation_members.yaml/0
{ "file_path": "botbuilder-python/libraries/botframework-connector/tests/recordings/test_conversations_get_conversation_members.yaml", "repo_id": "botbuilder-python", "token_count": 614 }
457
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import uuid from typing import Dict, List, Union from unittest.mock import Mock import pytest from botbuilder.schema import Activity, ConversationReference, ChannelAccount, RoleTypes from botframework.connector import Channels from botframework.connector.auth import ( AuthenticationConfiguration, AuthenticationConstants, JwtTokenValidation, SimpleCredentialProvider, EmulatorValidation, EnterpriseChannelValidation, ChannelValidation, ClaimsIdentity, MicrosoftAppCredentials, # GovernmentConstants, GovernmentChannelValidation, SimpleChannelProvider, ChannelProvider, # AppCredentials, ) async def jwt_token_validation_validate_auth_header_with_channel_service_succeeds( app_id: str, pwd: str, channel_service_or_provider: Union[str, ChannelProvider], header: str = None, ): if header is None: header = f"Bearer {MicrosoftAppCredentials(app_id, pwd).get_access_token()}" credentials = SimpleCredentialProvider(app_id, pwd) result = await JwtTokenValidation.validate_auth_header( header, credentials, channel_service_or_provider, "", "https://webchat.botframework.com/", ) assert result.is_authenticated # TODO: Consider changing to unittest to use ddt for Credentials tests class TestAuth: EmulatorValidation.TO_BOT_FROM_EMULATOR_TOKEN_VALIDATION_PARAMETERS.ignore_expiration = ( True ) ChannelValidation.TO_BOT_FROM_CHANNEL_TOKEN_VALIDATION_PARAMETERS.ignore_expiration = ( True ) @pytest.mark.asyncio async def test_claims_validation(self): claims: List[Dict] = {} default_auth_config = AuthenticationConfiguration() # No validator should pass. await JwtTokenValidation.validate_claims(default_auth_config, claims) mock_validator = Mock() auth_with_validator = AuthenticationConfiguration( claims_validator=mock_validator ) # Configure IClaimsValidator to fail mock_validator.side_effect = PermissionError("Invalid claims.") with pytest.raises(PermissionError) as excinfo: await JwtTokenValidation.validate_claims(auth_with_validator, claims) assert "Invalid claims." in str(excinfo.value) # No validator with not skill cliams should pass. default_auth_config.claims_validator = None claims: List[Dict] = { AuthenticationConstants.VERSION_CLAIM: "1.0", AuthenticationConstants.AUDIENCE_CLAIM: "this_bot_id", AuthenticationConstants.APP_ID_CLAIM: "this_bot_id", # Skill claims aud!=azp } await JwtTokenValidation.validate_claims(default_auth_config, claims) # No validator with skill cliams should fail. claims: List[Dict] = { AuthenticationConstants.VERSION_CLAIM: "1.0", AuthenticationConstants.AUDIENCE_CLAIM: "this_bot_id", AuthenticationConstants.APP_ID_CLAIM: "not_this_bot_id", # Skill claims aud!=azp } mock_validator.side_effect = PermissionError( "Unauthorized Access. Request is not authorized. Skill Claims require validation." ) with pytest.raises(PermissionError) as excinfo_skill: await JwtTokenValidation.validate_claims(auth_with_validator, claims) assert ( "Unauthorized Access. Request is not authorized. Skill Claims require validation." in str(excinfo_skill.value) ) # @pytest.mark.asyncio # async def test_connector_auth_header_correct_app_id_and_service_url_should_validate( # self, # ): # header = ( # "Bearer " # MicrosoftAppCredentials( # "", "" # ).get_access_token() # ) # credentials = SimpleCredentialProvider( # "", "" # ) # result = await JwtTokenValidation.validate_auth_header( # header, credentials, "", "https://webchat.botframework.com/" # ) # # result_with_provider = await JwtTokenValidation.validate_auth_header( # header, # credentials, # SimpleChannelProvider(), # "https://webchat.botframework.com/", # ) # # assert result # assert result_with_provider # @pytest.mark.asyncio # async def test_connector_auth_header_with_different_bot_app_id_should_not_validate( # self, # ): # header = ( # "Bearer " # MicrosoftAppCredentials( # "", "" # ).get_access_token() # ) # credentials = SimpleCredentialProvider( # "00000000-0000-0000-0000-000000000000", "" # ) # with pytest.raises(Exception) as excinfo: # await JwtTokenValidation.validate_auth_header( # header, credentials, "", "https://webchat.botframework.com/" # ) # assert "Unauthorized" in str(excinfo.value) # # with pytest.raises(Exception) as excinfo2: # await JwtTokenValidation.validate_auth_header( # header, # credentials, # SimpleChannelProvider(), # "https://webchat.botframework.com/", # ) # assert "Unauthorized" in str(excinfo2.value) # @pytest.mark.asyncio # async def test_connector_auth_header_and_no_credential_should_not_validate(self): # header = ( # "Bearer " # MicrosoftAppCredentials( # "", "" # ).get_access_token() # ) # credentials = SimpleCredentialProvider("", "") # with pytest.raises(Exception) as excinfo: # await JwtTokenValidation.validate_auth_header( # header, credentials, "", "https://webchat.botframework.com/" # ) # assert "Unauthorized" in str(excinfo.value) # # with pytest.raises(Exception) as excinfo2: # await JwtTokenValidation.validate_auth_header( # header, # credentials, # SimpleChannelProvider(), # "https://webchat.botframework.com/", # ) # assert "Unauthorized" in str(excinfo2.value) @pytest.mark.asyncio async def test_empty_header_and_no_credential_should_throw(self): header = "" credentials = SimpleCredentialProvider("", "") with pytest.raises(Exception) as excinfo: await JwtTokenValidation.validate_auth_header(header, credentials, "", None) assert "auth_header" in str(excinfo.value) with pytest.raises(Exception) as excinfo2: await JwtTokenValidation.validate_auth_header( header, credentials, SimpleChannelProvider(), None ) assert "auth_header" in str(excinfo2.value) # @pytest.mark.asyncio # async def test_emulator_msa_header_correct_app_id_and_service_url_should_validate( # self, # ): # header = ( # "Bearer " # MicrosoftAppCredentials( # "", "" # ).get_access_token() # ) # credentials = SimpleCredentialProvider( # "", "" # ) # result = await JwtTokenValidation.validate_auth_header( # header, credentials, "", "https://webchat.botframework.com/" # ) # # result_with_provider = await JwtTokenValidation.validate_auth_header( # header, # credentials, # SimpleChannelProvider(), # "https://webchat.botframework.com/", # ) # # assert result # assert result_with_provider # @pytest.mark.asyncio # async def test_emulator_msa_header_and_no_credential_should_not_validate(self): # # pylint: disable=protected-access # header = ( # "Bearer " # MicrosoftAppCredentials( # "", "" # ).get_access_token() # ) # credentials = SimpleCredentialProvider( # "00000000-0000-0000-0000-000000000000", "" # ) # with pytest.raises(Exception) as excinfo: # await JwtTokenValidation.validate_auth_header(header, credentials, "", None) # assert "Unauthorized" in str(excinfo._excinfo) # # with pytest.raises(Exception) as excinfo2: # await JwtTokenValidation.validate_auth_header( # header, credentials, SimpleChannelProvider(), None # ) # assert "Unauthorized" in str(excinfo2._excinfo) # Tests with a valid Token and service url; and ensures that Service url is added to Trusted service url list. # @pytest.mark.asyncio # async def test_channel_msa_header_valid_service_url_should_be_trusted(self): # activity = Activity( # service_url="https://smba.trafficmanager.net/amer-client-ss.msg/" # ) # header = ( # "Bearer " # MicrosoftAppCredentials( # "", "" # ).get_access_token() # ) # credentials = SimpleCredentialProvider( # "", "" # ) # # await JwtTokenValidation.authenticate_request(activity, header, credentials) # # assert AppCredentials.is_trusted_service( # "https://smba.trafficmanager.net/amer-client-ss.msg/" # ) # @pytest.mark.asyncio # # Tests with a valid Token and invalid service url and ensures that Service url is NOT added to # # Trusted service url list. # async def test_channel_msa_header_invalid_service_url_should_not_be_trusted(self): # activity = Activity(service_url="https://webchat.botframework.com/") # header = ( # "Bearer " # MicrosoftAppCredentials( # "", "" # ).get_access_token() # ) # credentials = SimpleCredentialProvider( # "7f74513e-6f96-4dbc-be9d-9a81fea22b88", "" # ) # # with pytest.raises(Exception) as excinfo: # await JwtTokenValidation.authenticate_request(activity, header, credentials) # assert "Unauthorized" in str(excinfo.value) # # assert not MicrosoftAppCredentials.is_trusted_service( # "https://webchat.botframework.com/" # ) @pytest.mark.asyncio # Tests with a valid Token and invalid service url and ensures that Service url is NOT added to # Trusted service url list. async def test_channel_authentication_disabled_and_skill_should_be_anonymous(self): activity = Activity( channel_id=Channels.emulator, service_url="https://webchat.botframework.com/", relates_to=ConversationReference(), recipient=ChannelAccount(role=RoleTypes.skill), ) header = "" credentials = SimpleCredentialProvider("", "") claims_principal = await JwtTokenValidation.authenticate_request( activity, header, credentials ) assert ( claims_principal.authentication_type == AuthenticationConstants.ANONYMOUS_AUTH_TYPE ) assert ( JwtTokenValidation.get_app_id_from_claims(claims_principal.claims) == AuthenticationConstants.ANONYMOUS_SKILL_APP_ID ) # @pytest.mark.asyncio # async def test_channel_msa_header_from_user_specified_tenant(self): # activity = Activity( # service_url="https://smba.trafficmanager.net/amer-client-ss.msg/" # ) # header = "Bearer " MicrosoftAppCredentials( # "", "", "microsoft.com" # ).get_access_token(True) # credentials = SimpleCredentialProvider( # "", "" # ) # # claims = await JwtTokenValidation.authenticate_request( # activity, header, credentials # ) # # assert claims.get_claim_value("tid") == "72f988bf-86f1-41af-91ab-2d7cd011db47" @pytest.mark.asyncio # Tests with no authentication header and makes sure the service URL is not added to the trusted list. async def test_channel_authentication_disabled_should_be_anonymous(self): activity = Activity(service_url="https://webchat.botframework.com/") header = "" credentials = SimpleCredentialProvider("", "") claims_principal = await JwtTokenValidation.authenticate_request( activity, header, credentials ) assert ( claims_principal.authentication_type == AuthenticationConstants.ANONYMOUS_AUTH_TYPE ) @pytest.mark.asyncio async def test_government_channel_validation_succeeds(self): credentials = SimpleCredentialProvider("", "") await GovernmentChannelValidation.validate_identity( ClaimsIdentity( {"iss": "https://api.botframework.us", "aud": credentials.app_id}, True ), credentials, ) @pytest.mark.asyncio async def test_government_channel_validation_no_authentication_fails(self): with pytest.raises(Exception) as excinfo: await GovernmentChannelValidation.validate_identity( ClaimsIdentity({}, False), None ) assert "Unauthorized" in str(excinfo.value) @pytest.mark.asyncio async def test_government_channel_validation_no_issuer_fails(self): credentials = SimpleCredentialProvider("", "") with pytest.raises(Exception) as excinfo: await GovernmentChannelValidation.validate_identity( ClaimsIdentity({"peanut": "peanut"}, True), credentials ) assert "Unauthorized" in str(excinfo.value) @pytest.mark.asyncio async def test_government_channel_validation_wrong_issuer_fails(self): credentials = SimpleCredentialProvider("", "") with pytest.raises(Exception) as excinfo: await GovernmentChannelValidation.validate_identity( ClaimsIdentity({"iss": "peanut"}, True), credentials ) assert "Unauthorized" in str(excinfo.value) # @pytest.mark.asyncio # async def test_government_channel_validation_no_audience_fails(self): # credentials = SimpleCredentialProvider( # "", "" # ) # with pytest.raises(Exception) as excinfo: # await GovernmentChannelValidation.validate_identity( # ClaimsIdentity({"iss": "https://api.botframework.us"}, True), # credentials, # ) # assert "Unauthorized" in str(excinfo.value) @pytest.mark.asyncio async def test_government_channel_validation_wrong_audience_fails(self): credentials = SimpleCredentialProvider("", "") with pytest.raises(Exception) as excinfo: await GovernmentChannelValidation.validate_identity( ClaimsIdentity( {"iss": "https://api.botframework.us", "aud": "peanut"}, True ), credentials, ) assert "Unauthorized" in str(excinfo.value) @pytest.mark.asyncio async def test_enterprise_channel_validation_succeeds(self): credentials = SimpleCredentialProvider("", "") await EnterpriseChannelValidation.validate_identity( ClaimsIdentity( {"iss": "https://api.botframework.com", "aud": credentials.app_id}, True ), credentials, ) @pytest.mark.asyncio async def test_enterprise_channel_validation_no_authentication_fails(self): with pytest.raises(Exception) as excinfo: await EnterpriseChannelValidation.validate_identity( ClaimsIdentity({}, False), None ) assert "Unauthorized" in str(excinfo.value) @pytest.mark.asyncio async def test_enterprise_channel_validation_no_issuer_fails(self): credentials = SimpleCredentialProvider("", "") with pytest.raises(Exception) as excinfo: await EnterpriseChannelValidation.validate_identity( ClaimsIdentity({"peanut": "peanut"}, True), credentials ) assert "Unauthorized" in str(excinfo.value) @pytest.mark.asyncio async def test_enterprise_channel_validation_wrong_issuer_fails(self): credentials = SimpleCredentialProvider("", "") with pytest.raises(Exception) as excinfo: await EnterpriseChannelValidation.validate_identity( ClaimsIdentity({"iss": "peanut"}, True), credentials ) assert "Unauthorized" in str(excinfo.value) @pytest.mark.asyncio async def test_enterprise_channel_validation_no_audience_fails(self): credentials = SimpleCredentialProvider("", "") with pytest.raises(Exception) as excinfo: await GovernmentChannelValidation.validate_identity( ClaimsIdentity({"iss": "https://api.botframework.com"}, True), credentials, ) assert "Unauthorized" in str(excinfo.value) @pytest.mark.asyncio async def test_enterprise_channel_validation_wrong_audience_fails(self): credentials = SimpleCredentialProvider("", "") with pytest.raises(Exception) as excinfo: await GovernmentChannelValidation.validate_identity( ClaimsIdentity( {"iss": "https://api.botframework.com", "aud": "peanut"}, True ), credentials, ) assert "Unauthorized" in str(excinfo.value) def test_get_app_id_from_claims(self): v1_claims = {} v2_claims = {} app_id = str(uuid.uuid4()) # Empty list assert not JwtTokenValidation.get_app_id_from_claims(v1_claims) # AppId there but no version (assumes v1) v1_claims[AuthenticationConstants.APP_ID_CLAIM] = app_id assert JwtTokenValidation.get_app_id_from_claims(v1_claims) == app_id # AppId there with v1 version v1_claims[AuthenticationConstants.VERSION_CLAIM] = "1.0" assert JwtTokenValidation.get_app_id_from_claims(v1_claims) == app_id # v2 version but no azp v2_claims[AuthenticationConstants.VERSION_CLAIM] = "2.0" assert not JwtTokenValidation.get_app_id_from_claims(v2_claims) # v2 version but no azp v2_claims[AuthenticationConstants.AUTHORIZED_PARTY] = app_id assert JwtTokenValidation.get_app_id_from_claims(v2_claims) == app_id
botbuilder-python/libraries/botframework-connector/tests/test_auth.py/0
{ "file_path": "botbuilder-python/libraries/botframework-connector/tests/test_auth.py", "repo_id": "botbuilder-python", "token_count": 8861 }
458
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from .assembler import Assembler from .payload_stream_assembler import PayloadStreamAssembler from .receive_request_assembler import ReceiveRequestAssembler from .receive_response_assembler import ReceiveResponseAssembler __all__ = [ "Assembler", "PayloadStreamAssembler", "ReceiveRequestAssembler", "ReceiveResponseAssembler", ]
botbuilder-python/libraries/botframework-streaming/botframework/streaming/payloads/assemblers/__init__.py/0
{ "file_path": "botbuilder-python/libraries/botframework-streaming/botframework/streaming/payloads/assemblers/__init__.py", "repo_id": "botbuilder-python", "token_count": 136 }
459
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. import json from typing import List from .serializable import Serializable from .stream_description import StreamDescription class RequestPayload(Serializable): def __init__( self, *, verb: str = None, path: str = None, streams: List[StreamDescription] = None ): self.verb = verb self.path = path self.streams = streams def to_json(self) -> str: obj = {"verb": self.verb, "path": self.path} if self.streams: obj["streams"] = [stream.to_dict() for stream in self.streams] return json.dumps(obj) def from_json(self, json_str: str) -> "RequestPayload": obj = json.loads(json_str) self.verb = obj.get("verb") self.path = obj.get("path") stream_list = obj.get("streams") if stream_list: self.streams = [ StreamDescription().from_dict(stream_dict) for stream_dict in stream_list ] return self
botbuilder-python/libraries/botframework-streaming/botframework/streaming/payloads/models/request_payload.py/0
{ "file_path": "botbuilder-python/libraries/botframework-streaming/botframework/streaming/payloads/models/request_payload.py", "repo_id": "botbuilder-python", "token_count": 479 }
460
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. class DisconnectedEventArgs: def __init__(self, *, reason: str = None): self.reason = reason DisconnectedEventArgs.empty = DisconnectedEventArgs()
botbuilder-python/libraries/botframework-streaming/botframework/streaming/transport/disconnected_event_args.py/0
{ "file_path": "botbuilder-python/libraries/botframework-streaming/botframework/streaming/transport/disconnected_event_args.py", "repo_id": "botbuilder-python", "token_count": 75 }
461
from typing import List from unittest import TestCase from uuid import uuid4, UUID import pytest from botframework.streaming.payloads import HeaderSerializer from botframework.streaming.payloads.models import Header, PayloadTypes from botframework.streaming.transport import TransportConstants class TestHeaderSerializer(TestCase): def test_can_round_trip(self): header = Header() header.type = PayloadTypes.REQUEST header.payload_length = 168 header.id = uuid4() header.end = True buffer: List[int] = [None] * TransportConstants.MAX_PAYLOAD_LENGTH offset: int = 0 length = HeaderSerializer.serialize(header, buffer, offset) result = HeaderSerializer.deserialize(buffer, 0, length) self.assertEqual(header.type, result.type) self.assertEqual(header.payload_length, result.payload_length) self.assertEqual(header.id, result.id) self.assertEqual(header.end, result.end) def test_serializes_to_ascii(self): header = Header() header.type = PayloadTypes.REQUEST header.payload_length = 168 header.id = uuid4() header.end = True buffer: List[int] = [None] * TransportConstants.MAX_PAYLOAD_LENGTH offset: int = 0 length = HeaderSerializer.serialize(header, buffer, offset) decoded = bytes(buffer[offset:length]).decode("ascii") self.assertEqual(f"A.000168.{str(header.id)}.1\n", decoded) def test_deserializes_from_ascii(self): header_id: UUID = uuid4() header: str = f"A.000168.{str(header_id)}.1\n" buffer: List[int] = list(bytes(header, "ascii")) result = HeaderSerializer.deserialize(buffer, 0, len(buffer)) self.assertEqual("A", result.type) self.assertEqual(168, result.payload_length) self.assertEqual(header_id, result.id) self.assertTrue(result.end) def test_deserialize_unknown_type(self): header_id: UUID = uuid4() header: str = f"Z.000168.{str(header_id)}.1\n" buffer: List[int] = list(bytes(header, "ascii")) result = HeaderSerializer.deserialize(buffer, 0, len(buffer)) self.assertEqual("Z", result.type) self.assertEqual(168, result.payload_length) def test_deserialize_length_too_short_throws(self): header_id: UUID = uuid4() header: str = f"A.000168.{str(header_id)}.1\n" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, 5) def test_deserialize_length_too_long_throws(self): header_id: UUID = uuid4() header: str = f"A.000168.{str(header_id)}.1\n" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, 55) def test_deserialize_bad_type_delimiter_throws(self): header_id: UUID = uuid4() header: str = f"Ax000168.{str(header_id)}.1\n" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, len(buffer)) def test_deserialize_bad_length_delimiter_throws(self): header_id: UUID = uuid4() header: str = f"A.000168x{str(header_id)}.1\n" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, len(buffer)) def test_deserialize_bad_id_delimiter_throws(self): header_id: UUID = uuid4() header: str = f"A.000168.{str(header_id)}x1\n" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, len(buffer)) def test_deserialize_bad_terminator_throws(self): header_id: UUID = uuid4() header: str = f"A.000168.{str(header_id)}.1c" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, len(buffer)) def test_deserialize_bad_length_throws(self): header_id: UUID = uuid4() header: str = f"A.00p168.{str(header_id)}.1\n" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, len(buffer)) def test_deserialize_bad_id_throws(self): header: str = "A.000168.68e9p9ca-a651-40f4-ad8f-3aaf781862b4.1\n" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, len(buffer)) def test_deserialize_bad_end_throws(self): header_id: UUID = uuid4() header: str = f"A.000168.{str(header_id)}.z\n" buffer: List[int] = list(bytes(header, "ascii")) with pytest.raises(ValueError): HeaderSerializer.deserialize(buffer, 0, len(buffer))
botbuilder-python/libraries/botframework-streaming/tests/test_header_serializer.py/0
{ "file_path": "botbuilder-python/libraries/botframework-streaming/tests/test_header_serializer.py", "repo_id": "botbuilder-python", "token_count": 2237 }
462
This guide documents how to configure and test SSO by using the parent and child bot projects. ## SetUp - Go to [App registrations page on Azure Portal](https://ms.portal.azure.com/#blade/Microsoft_AAD_IAM/ActiveDirectoryMenuBlade/RegisteredApps) - You need to create 2 AAD apps (one for the parent bot and one for the skill) ### Parent bot AAD app - Click "New Registration" - Enter name, set "supported account types" as Single Tenant, Redirect URI as https://token.botframework.com/.auth/web/redirect - Go to "Expose an API". Click "Add a Scope". Enter a scope name (like "scope1"), set "who can consent" to Admins and users, display name, description and click "Add Scope" . Copy the value of the scope that you just added (should be like "api://{clientId}/scopename") - Go to "Manifest" tab and set `accessTokenAcceptedVersion` to 2 - Go to "Certificates and secrets" , click "new client secret" and store the generated secret. ### Configuring the Parent Bot Channel Registration - Create a new Bot Channel Registration. You can leave the messaging endpoint empty and later fill an ngrok endpoint for it. - Go to settings tab, click "Add Setting" and enter a name, set Service Provider to "Azure Active Directory v2". - Fill in ClientId, TenantId from the parent bot AAD app you created (look at the overview tab for these values) - Fill in the secret from the parent bot AAD app. - Fill in the scope that you copied earlier ("api://{clientId}/scopename") and enter it for "Scopes" on the OAuth connection. Click Save. ### Child bot AAD app and BCR - Follow the steps in the [documentation](https://docs.microsoft.com/en-us/azure/bot-service/bot-builder-authentication?view=azure-bot-service-4.0&tabs=csharp) for creating an Azure AD v2 app and filling those values in a Bot Channel Registration. - Go to the Azure AD app that you created in the step above. - Go to "Manifest" tab and set `accessTokenAcceptedVersion` to 2 - Go to "Expose an API". Click "Add a client application". Enter the clientId of the parent bot AAD app. - Go to "Expose an API". Click "Add a Scope". Enter a scope name (like "scope1"), set "who can consent" to Admins and users, display name, description and click "Add Scope" . Copy the value of the scope that you just added (should be like "api://{clientId}/scopename") - Go back to your BCR that you created for the child bot. Go to Auth Connections in the settings blade and click on the auth connection that you created earlier. For the "Token Exchange Uri" , set the scope value that you copied in the step above. ### Running and Testing - Configure appid, passoword and connection names in the appsettings.json files for both parent and child bots. Run both the projects. - Set up ngrok to expose the url for the parent bot. (Child bot can run just locally, as long as it's on the same machine as the parent bot.) - Configure the messaging endpoint for the parent bot channel registration with the ngrok url and go to "test in webchat" tab. - Run the following commands and look at the outputs - login - shows an oauth card. Click the oauth card to login into the parent bot. - type "login" again - shows your JWT token. - skill login - should do nothing (no oauth card shown). - type "skill login" again - should show you a message from the skill with the token. - logout - should give a message that you have been logged out from the parent bot. - skill logout - should give a message that you have been logged out from the child bot.
botbuilder-python/tests/experimental/sso/parent/ReadMeForSSOTesting.md/0
{ "file_path": "botbuilder-python/tests/experimental/sso/parent/ReadMeForSSOTesting.md", "repo_id": "botbuilder-python", "token_count": 933 }
463
# Client Driver for Function E2E test This contains the client code that drives the bot functional test. It performs simple operations against the bot and validates results.
botbuilder-python/tests/functional-tests/functionaltestbot/client_driver/README.md/0
{ "file_path": "botbuilder-python/tests/functional-tests/functionaltestbot/client_driver/README.md", "repo_id": "botbuilder-python", "token_count": 37 }
464
# # /etc/ssh/sshd_config # Port 2222 ListenAddress 0.0.0.0 LoginGraceTime 180 X11Forwarding yes Ciphers aes128-cbc,3des-cbc,aes256-cbc MACs hmac-sha1,hmac-sha1-96 StrictModes yes SyslogFacility DAEMON PrintMotd no IgnoreRhosts no #deprecated option #RhostsAuthentication no RhostsRSAAuthentication yes RSAAuthentication no PasswordAuthentication yes PermitEmptyPasswords no PermitRootLogin yes
botbuilder-python/tests/functional-tests/functionaltestbot/sshd_config/0
{ "file_path": "botbuilder-python/tests/functional-tests/functionaltestbot/sshd_config", "repo_id": "botbuilder-python", "token_count": 226 }
465
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from botbuilder.core import Storage from botbuilder.core.skills import ConversationIdFactoryBase from botbuilder.schema import ConversationReference class SkillConversationIdFactory(ConversationIdFactoryBase): def __init__(self, storage: Storage): if not storage: raise TypeError("storage can't be None") self._storage = storage async def create_skill_conversation_id( self, conversation_reference: ConversationReference ) -> str: if not conversation_reference: raise TypeError("conversation_reference can't be None") if not conversation_reference.conversation.id: raise TypeError("conversation id in conversation reference can't be None") if not conversation_reference.channel_id: raise TypeError("channel id in conversation reference can't be None") storage_key = f"{conversation_reference.channel_id}:{conversation_reference.conversation.id}" skill_conversation_info = {storage_key: conversation_reference} await self._storage.write(skill_conversation_info) return storage_key async def get_conversation_reference( self, skill_conversation_id: str ) -> ConversationReference: if not skill_conversation_id: raise TypeError("skill_conversation_id can't be None") skill_conversation_info = await self._storage.read([skill_conversation_id]) return skill_conversation_info.get(skill_conversation_id) async def delete_conversation_reference(self, skill_conversation_id: str): await self._storage.delete([skill_conversation_id])
botbuilder-python/tests/skills/skills-buffered/parent/skill_conversation_id_factory.py/0
{ "file_path": "botbuilder-python/tests/skills/skills-buffered/parent/skill_conversation_id_factory.py", "repo_id": "botbuilder-python", "token_count": 598 }
466
# Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. from botbuilder.core import ActivityHandler, MessageFactory, TurnContext from botbuilder.schema import Activity, ActivityTypes, EndOfConversationCodes class EchoBot(ActivityHandler): async def on_message_activity(self, turn_context: TurnContext): if "end" in turn_context.activity.text or "exit" in turn_context.activity.text: # Send End of conversation at the end. await turn_context.send_activity( MessageFactory.text("Ending conversation from the skill...") ) end_of_conversation = Activity(type=ActivityTypes.end_of_conversation) end_of_conversation.code = EndOfConversationCodes.completed_successfully await turn_context.send_activity(end_of_conversation) else: await turn_context.send_activity( MessageFactory.text(f"Echo: {turn_context.activity.text}") ) await turn_context.send_activity( MessageFactory.text( f'Say "end" or "exit" and I\'ll end the conversation and back to the parent.' ) )
botbuilder-python/tests/skills/skills-prototypes/simple-bot-to-bot/simple-child-bot/bots/echo_bot.py/0
{ "file_path": "botbuilder-python/tests/skills/skills-prototypes/simple-bot-to-bot/simple-child-bot/bots/echo_bot.py", "repo_id": "botbuilder-python", "token_count": 497 }
467
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Adieresis" format="2"> <advance width="1200"/> <unicode hex="00C4"/> <outline> <component base="A"/> <component base="dieresiscomb.case"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/A_dieresis.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/A_dieresis.glif", "repo_id": "cascadia-code", "token_count": 93 }
468
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Ecircumflex" format="2"> <advance width="1200"/> <unicode hex="00CA"/> <outline> <component base="E"/> <component base="circumflexcomb.case" xOffset="30"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/E_circumflex.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/E_circumflex.glif", "repo_id": "cascadia-code", "token_count": 97 }
469
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Emacron" format="2"> <advance width="1200"/> <unicode hex="0112"/> <outline> <component base="E"/> <component base="macroncomb.case" xOffset="30"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/E_macron.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/E_macron.glif", "repo_id": "cascadia-code", "token_count": 95 }
470
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Etilde" format="2"> <advance width="1200"/> <unicode hex="1EBC"/> <outline> <component base="E"/> <component base="tildecomb.case" xOffset="40"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/E_tilde.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/E_tilde.glif", "repo_id": "cascadia-code", "token_count": 97 }
471
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Ghestroke-cy" format="2"> <advance width="1200"/> <unicode hex="0492"/> <outline> <contour> <point x="-4" y="549" type="line"/> <point x="725" y="549" type="line"/> <point x="725" y="811" type="line"/> <point x="-4" y="811" type="line"/> </contour> <component base="Ge-cy"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>Ge-cy</string> </dict> </array> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/G_hestroke-cy.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/G_hestroke-cy.glif", "repo_id": "cascadia-code", "token_count": 378 }
472
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Iishort-cy" format="2"> <advance width="1200"/> <unicode hex="0419"/> <outline> <component base="Ii-cy"/> <component base="brevecomb-cy.case"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/I_ishort-cy.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/I_ishort-cy.glif", "repo_id": "cascadia-code", "token_count": 97 }
473
<?xml version='1.0' encoding='UTF-8'?> <glyph name="K" format="2"> <advance width="1200"/> <unicode hex="004B"/> <anchor x="620" y="0" name="bottom"/> <anchor x="620" y="1420" name="top"/> <outline> <contour> <point x="276" y="452" type="line"/> <point x="805" y="452"/> <point x="1111" y="915"/> <point x="1111" y="1420" type="curve"/> <point x="843" y="1420" type="line"/> <point x="843" y="1063"/> <point x="673" y="717"/> <point x="294" y="717" type="curve"/> </contour> <contour> <point x="133" y="0" type="line"/> <point x="397" y="0" type="line"/> <point x="397" y="1420" type="line"/> <point x="133" y="1420" type="line"/> </contour> <contour> <point x="853" y="0" type="line"/> <point x="1179" y="0" type="line"/> <point x="814" y="731" type="line"/> <point x="568" y="629" type="line"/> </contour> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/K_.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/K_.glif", "repo_id": "cascadia-code", "token_count": 466 }
474
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Lbar" format="2"> <advance width="1200"/> <unicode hex="023D"/> <outline> <contour> <point x="-20" y="641" type="line"/> <point x="836" y="641" type="line"/> <point x="836" y="883" type="line"/> <point x="-20" y="883" type="line"/> </contour> <component base="L"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/L_bar.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/L_bar.glif", "repo_id": "cascadia-code", "token_count": 175 }
475
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Nacute.loclPLK" format="2"> <advance width="1200"/> <outline> <component base="N"/> <component base="acutecomb.case.loclPLK"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/N_acute.loclP_L_K_.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/N_acute.loclP_L_K_.glif", "repo_id": "cascadia-code", "token_count": 91 }
476
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Ocircumflex" format="2"> <advance width="1200"/> <unicode hex="00D4"/> <outline> <component base="O"/> <component base="circumflexcomb.case"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/O_circumflex.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/O_circumflex.glif", "repo_id": "cascadia-code", "token_count": 93 }
477
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Ohorntilde" format="2"> <advance width="1200"/> <unicode hex="1EE0"/> <outline> <component base="Ohorn"/> <component base="tildecomb.case" xOffset="10"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/O_horntilde.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/O_horntilde.glif", "repo_id": "cascadia-code", "token_count": 99 }
478
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Palochka-cy" format="2"> <advance width="1200"/> <unicode hex="04C0"/> <outline> <component base="I"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/P_alochka-cy.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/P_alochka-cy.glif", "repo_id": "cascadia-code", "token_count": 79 }
479
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Sacute" format="2"> <advance width="1200"/> <unicode hex="015A"/> <outline> <component base="S"/> <component base="acutecomb.case" xOffset="99"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/S_acute.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/S_acute.glif", "repo_id": "cascadia-code", "token_count": 95 }
480
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Tau" format="2"> <advance width="1200"/> <unicode hex="03A4"/> <outline> <component base="T"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/T_au.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/T_au.glif", "repo_id": "cascadia-code", "token_count": 76 }
481
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Ubreve" format="2"> <advance width="1200"/> <unicode hex="016C"/> <outline> <component base="U"/> <component base="brevecomb.case"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/U_breve.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/U_breve.glif", "repo_id": "cascadia-code", "token_count": 90 }
482
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Upsilon" format="2"> <advance width="1200"/> <unicode hex="03A5"/> <outline> <component base="Y"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/U_psilon.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/U_psilon.glif", "repo_id": "cascadia-code", "token_count": 77 }
483
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Wcircumflex" format="2"> <advance width="1200"/> <unicode hex="0174"/> <outline> <component base="W"/> <component base="circumflexcomb.case"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/W_circumflex.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/W_circumflex.glif", "repo_id": "cascadia-code", "token_count": 92 }
484
<?xml version='1.0' encoding='UTF-8'?> <glyph name="Ymacron" format="2"> <advance width="1200"/> <unicode hex="0232"/> <outline> <component base="Y"/> <component base="macroncomb.case"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/Y_macron.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/Y_macron.glif", "repo_id": "cascadia-code", "token_count": 90 }
485
<?xml version='1.0' encoding='UTF-8'?> <glyph name="_alefMadda-ar.fina.rlig" format="2"> <anchor x="0" y="0" name="_overlap"/> <anchor x="343" y="-141" name="bottom"/> <anchor x="286" y="1505" name="top"/> <outline> <component base="_alef-ar.fina.short.rlig"/> <component base="madda-ar" xOffset="-309" yOffset="68"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>_alef-ar.fina.short.rlig</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/_alefM_adda-ar.fina.rlig.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/_alefM_adda-ar.fina.rlig.glif", "repo_id": "cascadia-code", "token_count": 408 }
486
<?xml version='1.0' encoding='UTF-8'?> <glyph name="_twodotstah" format="2"> <advance width="1200"/> <anchor x="600" y="767" name="_top"/> <anchor x="600" y="532" name="_top.dot"/> <anchor x="628" y="1407" name="top"/> <outline> <component base="_tahabove" xScale="0.9" yScale="0.9" xOffset="99" yOffset="422"/> <component base="_twodotshorizontal-ar" yOffset="200"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>_tahabove</string> </dict> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>1</integer> <key>name</key> <string>_twodotshorizontal-ar</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/_twodotstah.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/_twodotstah.glif", "repo_id": "cascadia-code", "token_count": 549 }
487
<?xml version='1.0' encoding='UTF-8'?> <glyph name="adotbelow" format="2"> <advance width="1200"/> <unicode hex="1EA1"/> <outline> <component base="a"/> <component base="dotbelowcomb"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/adotbelow.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/adotbelow.glif", "repo_id": "cascadia-code", "token_count": 89 }
488
<?xml version='1.0' encoding='UTF-8'?> <glyph name="ainThreedotsdownabove-ar.fina" format="2"> <advance width="1200"/> <anchor x="601" y="1494" name="top"/> <outline> <component base="ain-ar.fina"/> <component base="threedotsdownabove-ar" xScale="0.96" yScale="0.96" xOffset="34" yOffset="314"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>anchor</key> <string>top.dot</string> <key>index</key> <integer>1</integer> <key>name</key> <string>threedotsdownabove-ar</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/ainT_hreedotsdownabove-ar.fina.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/ainT_hreedotsdownabove-ar.fina.glif", "repo_id": "cascadia-code", "token_count": 380 }
489
<?xml version='1.0' encoding='UTF-8'?> <glyph name="alefMadda-ar.fina.alt" format="2"> <anchor x="0" y="0" name="_overlap"/> <anchor x="319" y="-141" name="bottom"/> <anchor x="293" y="1571" name="top"/> <outline> <component base="alef-ar.fina.short.alt" xOffset="6"/> <component base="madda-ar" xOffset="-324" yOffset="81"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>alef-ar.fina.short.alt</string> </dict> <dict> <key>alignment</key> <integer>1</integer> <key>anchor</key> <string>top.dot</string> <key>index</key> <integer>1</integer> <key>name</key> <string>madda-ar</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/alefM_adda-ar.fina.alt.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/alefM_adda-ar.fina.alt.glif", "repo_id": "cascadia-code", "token_count": 573 }
490
<?xml version='1.0' encoding='UTF-8'?> <glyph name="alefThreeabove-ar" format="2"> <advance width="1200"/> <unicode hex="0774"/> <anchor x="610" y="-141" name="bottom"/> <anchor x="411" y="1570" name="top"/> <outline> <component base="alef-ar.short"/> <component base="three-persian.small01" xOffset="-216" yOffset="-84"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>1</integer> <key>name</key> <string>three-persian.small01</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/alefT_hreeabove-ar.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/alefT_hreeabove-ar.glif", "repo_id": "cascadia-code", "token_count": 390 }
491
<?xml version='1.0' encoding='UTF-8'?> <glyph name="alefWavyhamzabelow-ar" format="2"> <advance width="1200"/> <unicode hex="0673"/> <anchor x="559" y="-523" name="bottom"/> <outline> <component base="alef-ar"/> <component base="wavyhamzabelow-ar" xOffset="7" yOffset="-26"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>anchor</key> <string>bottom.dot</string> <key>index</key> <integer>1</integer> <key>name</key> <string>wavyhamzabelow-ar</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/alefW_avyhamzabelow-ar.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/alefW_avyhamzabelow-ar.glif", "repo_id": "cascadia-code", "token_count": 376 }
492
<?xml version='1.0' encoding='UTF-8'?> <glyph name="apostrophemod" format="2"> <advance width="1200"/> <unicode hex="02BC"/> <outline> <component base="quoteright"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>quoteright</string> </dict> </array> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/apostrophemod.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/apostrophemod.glif", "repo_id": "cascadia-code", "token_count": 277 }
493
<?xml version='1.0' encoding='UTF-8'?> <glyph name="asterisk_asterisk.liga" format="2"> <advance width="1200"/> <outline> <component base="asterisk" xOffset="60"/> <component base="asterisk" xOffset="1140"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>asterisk</string> </dict> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>1</integer> <key>name</key> <string>asterisk</string> </dict> </array> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/asterisk_asterisk.liga.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/asterisk_asterisk.liga.glif", "repo_id": "cascadia-code", "token_count": 416 }
494
<?xml version='1.0' encoding='UTF-8'?> <glyph name="bar" format="2"> <advance width="1200"/> <unicode hex="007C"/> <outline> <contour> <point x="468" y="-310" type="line"/> <point x="732" y="-310" type="line"/> <point x="732" y="1730" type="line"/> <point x="468" y="1730" type="line"/> </contour> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/bar.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/bar.glif", "repo_id": "cascadia-code", "token_count": 166 }
495
<?xml version='1.0' encoding='UTF-8'?> <glyph name="beh-ar.fina" format="2"> <advance width="1200"/> <outline> <component base="behDotless-ar.fina"/> <component base="dotbelow-ar" xOffset="-20" yOffset="-24"/> </outline> <lib> <dict> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/beh-ar.fina.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/beh-ar.fina.glif", "repo_id": "cascadia-code", "token_count": 167 }
496
<?xml version='1.0' encoding='UTF-8'?> <glyph name="behMeemabove-ar.init.alt" format="2"> <advance width="1200"/> <anchor x="0" y="0" name="overlap"/> <outline> <component base="behDotless-ar.init.alt"/> <component base="dotbelow-ar" xOffset="210" yOffset="-24"/> <component base="meemStopabove-ar" xOffset="259" yOffset="-117"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>anchor</key> <string>top.dot</string> <key>index</key> <integer>2</integer> <key>name</key> <string>meemStopabove-ar</string> </dict> </array> <key>com.schriftgestaltung.Glyphs.category</key> <string>Letter</string> <key>com.schriftgestaltung.Glyphs.script</key> <string>arabic</string> <key>com.schriftgestaltung.Glyphs.subCategory</key> <string>Other</string> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/behM_eemabove-ar.init.alt.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/behM_eemabove-ar.init.alt.glif", "repo_id": "cascadia-code", "token_count": 512 }
497
<?xml version='1.0' encoding='UTF-8'?> <glyph name="behVabove-ar.fina.alt" format="2"> <advance width="1200"/> <outline> <component base="behDotless-ar.fina.alt"/> <component base="vabove-ar" xOffset="-700" yOffset="93"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>anchor</key> <string>top.dot</string> <key>index</key> <integer>1</integer> <key>name</key> <string>vabove-ar</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/behV_above-ar.fina.alt.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/behV_above-ar.fina.alt.glif", "repo_id": "cascadia-code", "token_count": 347 }
498
<?xml version='1.0' encoding='UTF-8'?> <glyph name="behVinvertedbelow-ar" format="2"> <advance width="1200"/> <unicode hex="0755"/> <outline> <component base="behDotless-ar"/> <component base="_vinvertedbelow-ar" xOffset="-20" yOffset="-24"/> </outline> <lib> <dict> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/behV_invertedbelow-ar.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/behV_invertedbelow-ar.glif", "repo_id": "cascadia-code", "token_count": 177 }
499
<?xml version='1.0' encoding='UTF-8'?> <glyph name="behhamzaabove-ar.medi" format="2"> <advance width="1200"/> <outline> <component base="beh-ar.medi"/> <component base="hamzaabove-ar" xOffset="10" yOffset="-349"/> </outline> <lib> <dict> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/behhamzaabove-ar.medi.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/behhamzaabove-ar.medi.glif", "repo_id": "cascadia-code", "token_count": 165 }
500
<?xml version='1.0' encoding='UTF-8'?> <glyph name="bracketleft_bar.liga" format="2"> <advance width="1200"/> <outline> <contour> <point x="510" y="-214" type="line"/> <point x="774" y="-214" type="line"/> <point x="774" y="1634" type="line"/> <point x="510" y="1634" type="line"/> </contour> <contour> <point x="754" y="-214" type="line"/> <point x="1351" y="-214" type="line"/> <point x="1351" y="38" type="line"/> <point x="754" y="38" type="line"/> </contour> <contour> <point x="754" y="1382" type="line"/> <point x="1351" y="1382" type="line"/> <point x="1351" y="1634" type="line"/> <point x="754" y="1634" type="line"/> </contour> <component base="bar" xOffset="1154"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>bar</string> </dict> </array> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/bracketleft_bar.liga.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/bracketleft_bar.liga.glif", "repo_id": "cascadia-code", "token_count": 573 }
501
<?xml version='1.0' encoding='UTF-8'?> <!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd"> <plist version="1.0"> <dict> <key>.notdef</key> <string>_notdef.glif</string> <key>A</key> <string>A_.glif</string> <key>A-cy</key> <string>A_-cy.glif</string> <key>A.half</key> <string>A_.half.glif</string> <key>AE</key> <string>A_E_.glif</string> <key>AEacute</key> <string>A_E_acute.glif</string> <key>Aacute</key> <string>A_acute.glif</string> <key>Abreve</key> <string>A_breve.glif</string> <key>Abreveacute</key> <string>A_breveacute.glif</string> <key>Abrevedotbelow</key> <string>A_brevedotbelow.glif</string> <key>Abrevegrave</key> <string>A_brevegrave.glif</string> <key>Abrevehookabove</key> <string>A_brevehookabove.glif</string> <key>Abrevetilde</key> <string>A_brevetilde.glif</string> <key>Acaron</key> <string>A_caron.glif</string> <key>Acircumflex</key> <string>A_circumflex.glif</string> <key>Acircumflexacute</key> <string>A_circumflexacute.glif</string> <key>Acircumflexdotbelow</key> <string>A_circumflexdotbelow.glif</string> <key>Acircumflexgrave</key> <string>A_circumflexgrave.glif</string> <key>Acircumflexhookabove</key> <string>A_circumflexhookabove.glif</string> <key>Acircumflextilde</key> <string>A_circumflextilde.glif</string> <key>Adieresis</key> <string>A_dieresis.glif</string> <key>Adotbelow</key> <string>A_dotbelow.glif</string> <key>Agrave</key> <string>A_grave.glif</string> <key>Ahookabove</key> <string>A_hookabove.glif</string> <key>Alpha</key> <string>A_lpha.glif</string> <key>Alpha-latin</key> <string>A_lpha-latin.glif</string> <key>Alphatonos</key> <string>A_lphatonos.glif</string> <key>Amacron</key> <string>A_macron.glif</string> <key>Aogonek</key> <string>A_ogonek.glif</string> <key>Aring</key> <string>A_ring.glif</string> <key>Aringacute</key> <string>A_ringacute.glif</string> <key>Asmall</key> <string>A_small.glif</string> <key>Astroke</key> <string>A_stroke.glif</string> <key>Atilde</key> <string>A_tilde.glif</string> <key>B</key> <string>B_.glif</string> <key>B.half</key> <string>B_.half.glif</string> <key>Be-cy</key> <string>B_e-cy.glif</string> <key>Beta</key> <string>B_eta.glif</string> <key>C</key> <string>C_.glif</string> <key>C.half</key> <string>C_.half.glif</string> <key>CR</key> <string>C_R_.glif</string> <key>Cacute</key> <string>C_acute.glif</string> <key>Cacute.loclPLK</key> <string>C_acute.loclP_L_K_.glif</string> <key>Ccaron</key> <string>C_caron.glif</string> <key>Ccedilla</key> <string>C_cedilla.glif</string> <key>Ccircumflex</key> <string>C_circumflex.glif</string> <key>Cdotaccent</key> <string>C_dotaccent.glif</string> <key>Che-cy</key> <string>C_he-cy.glif</string> <key>Chedescender-cy</key> <string>C_hedescender-cy.glif</string> <key>Chi</key> <string>C_hi.glif</string> <key>Cstroke</key> <string>C_stroke.glif</string> <key>D</key> <string>D_.glif</string> <key>D.half</key> <string>D_.half.glif</string> <key>Dafrican</key> <string>D_african.glif</string> <key>Dcaron</key> <string>D_caron.glif</string> <key>Dcroat</key> <string>D_croat.glif</string> <key>De-cy</key> <string>D_e-cy.glif</string> <key>De-cy.loclBGR</key> <string>D_e-cy.loclB_G_R_.glif</string> <key>Delta</key> <string>D_elta.glif</string> <key>Dje-cy</key> <string>D_je-cy.glif</string> <key>Dze-cy</key> <string>D_ze-cy.glif</string> <key>Dzhe-cy</key> <string>D_zhe-cy.glif</string> <key>E</key> <string>E_.glif</string> <key>E-cy</key> <string>E_-cy.glif</string> <key>E.half</key> <string>E_.half.glif</string> <key>Eacute</key> <string>E_acute.glif</string> <key>Ebreve</key> <string>E_breve.glif</string> <key>Ecaron</key> <string>E_caron.glif</string> <key>Ecircumflex</key> <string>E_circumflex.glif</string> <key>Ecircumflexacute</key> <string>E_circumflexacute.glif</string> <key>Ecircumflexdotbelow</key> <string>E_circumflexdotbelow.glif</string> <key>Ecircumflexgrave</key> <string>E_circumflexgrave.glif</string> <key>Ecircumflexhookabove</key> <string>E_circumflexhookabove.glif</string> <key>Ecircumflextilde</key> <string>E_circumflextilde.glif</string> <key>Edieresis</key> <string>E_dieresis.glif</string> <key>Edotaccent</key> <string>E_dotaccent.glif</string> <key>Edotbelow</key> <string>E_dotbelow.glif</string> <key>Ef-cy</key> <string>E_f-cy.glif</string> <key>Ef-cy.loclBGR</key> <string>E_f-cy.loclB_G_R_.glif</string> <key>Egrave</key> <string>E_grave.glif</string> <key>Ehookabove</key> <string>E_hookabove.glif</string> <key>El-cy</key> <string>E_l-cy.glif</string> <key>El-cy.loclBGR</key> <string>E_l-cy.loclB_G_R_.glif</string> <key>Em-cy</key> <string>E_m-cy.glif</string> <key>Emacron</key> <string>E_macron.glif</string> <key>En-cy</key> <string>E_n-cy.glif</string> <key>Endescender-cy</key> <string>E_ndescender-cy.glif</string> <key>Eng</key> <string>E_ng.glif</string> <key>Eogonek</key> <string>E_ogonek.glif</string> <key>Eopen</key> <string>E_open.glif</string> <key>Epsilon</key> <string>E_psilon.glif</string> <key>Epsilontonos</key> <string>E_psilontonos.glif</string> <key>Er-cy</key> <string>E_r-cy.glif</string> <key>Ereversed</key> <string>E_reversed.glif</string> <key>Ereversed-cy</key> <string>E_reversed-cy.glif</string> <key>Es-cy</key> <string>E_s-cy.glif</string> <key>Esh</key> <string>E_sh.glif</string> <key>Eta</key> <string>E_ta.glif</string> <key>Etatonos</key> <string>E_tatonos.glif</string> <key>Eth</key> <string>E_th.glif</string> <key>Etilde</key> <string>E_tilde.glif</string> <key>Ezh</key> <string>E_zh.glif</string> <key>F</key> <string>F_.glif</string> <key>F.half</key> <string>F_.half.glif</string> <key>Fhook</key> <string>F_hook.glif</string> <key>G</key> <string>G_.glif</string> <key>G.half</key> <string>G_.half.glif</string> <key>Gamma</key> <string>G_amma.glif</string> <key>Gammaafrican</key> <string>G_ammaafrican.glif</string> <key>Gbreve</key> <string>G_breve.glif</string> <key>Gcaron</key> <string>G_caron.glif</string> <key>Gcircumflex</key> <string>G_circumflex.glif</string> <key>Gcommaaccent</key> <string>G_commaaccent.glif</string> <key>Gdotaccent</key> <string>G_dotaccent.glif</string> <key>Ge-cy</key> <string>G_e-cy.glif</string> <key>Germandbls</key> <string>G_ermandbls.glif</string> <key>Ghestroke-cy</key> <string>G_hestroke-cy.glif</string> <key>Gheupturn-cy</key> <string>G_heupturn-cy.glif</string> <key>Gje-cy</key> <string>G_je-cy.glif</string> <key>Gsmall</key> <string>G_small.glif</string> <key>Gstroke</key> <string>G_stroke.glif</string> <key>H</key> <string>H_.glif</string> <key>H.half</key> <string>H_.half.glif</string> <key>Ha-cy</key> <string>H_a-cy.glif</string> <key>Hadescender-cy</key> <string>H_adescender-cy.glif</string> <key>Hardsign-cy</key> <string>H_ardsign-cy.glif</string> <key>Hbar</key> <string>H_bar.glif</string> <key>Hcaron</key> <string>H_caron.glif</string> <key>Hcircumflex</key> <string>H_circumflex.glif</string> <key>Hdotbelow</key> <string>H_dotbelow.glif</string> <key>I</key> <string>I_.glif</string> <key>I-cy</key> <string>I_-cy.glif</string> <key>I.half</key> <string>I_.half.glif</string> <key>IJ</key> <string>I_J_.glif</string> <key>IJ_acute</key> <string>I_J__acute.glif</string> <key>Ia-cy</key> <string>I_a-cy.glif</string> <key>Iacute</key> <string>I_acute.glif</string> <key>Ibreve</key> <string>I_breve.glif</string> <key>Icircumflex</key> <string>I_circumflex.glif</string> <key>Idieresis</key> <string>I_dieresis.glif</string> <key>Idotaccent</key> <string>I_dotaccent.glif</string> <key>Idotbelow</key> <string>I_dotbelow.glif</string> <key>Ie-cy</key> <string>I_e-cy.glif</string> <key>Iegrave-cy</key> <string>I_egrave-cy.glif</string> <key>Igrave</key> <string>I_grave.glif</string> <key>Ihookabove</key> <string>I_hookabove.glif</string> <key>Ii-cy</key> <string>I_i-cy.glif</string> <key>Iigrave-cy</key> <string>I_igrave-cy.glif</string> <key>Iishort-cy</key> <string>I_ishort-cy.glif</string> <key>Imacron</key> <string>I_macron.glif</string> <key>Imacron-cy</key> <string>I_macron-cy.glif</string> <key>Io-cy</key> <string>I_o-cy.glif</string> <key>Iogonek</key> <string>I_ogonek.glif</string> <key>Iota</key> <string>I_ota.glif</string> <key>Iotaafrican</key> <string>I_otaafrican.glif</string> <key>Iotadieresis</key> <string>I_otadieresis.glif</string> <key>Iotatonos</key> <string>I_otatonos.glif</string> <key>Ismall</key> <string>I_small.glif</string> <key>Itilde</key> <string>I_tilde.glif</string> <key>Iu-cy</key> <string>I_u-cy.glif</string> <key>J</key> <string>J_.glif</string> <key>Jacute</key> <string>J_acute.glif</string> <key>Jcircumflex</key> <string>J_circumflex.glif</string> <key>Je-cy</key> <string>J_e-cy.glif</string> <key>K</key> <string>K_.glif</string> <key>K.half</key> <string>K_.half.glif</string> <key>Ka-cy</key> <string>K_a-cy.glif</string> <key>Kacute</key> <string>K_acute.glif</string> <key>Kadescender-cy</key> <string>K_adescender-cy.glif</string> <key>KaiSymbol</key> <string>K_aiS_ymbol.glif</string> <key>Kappa</key> <string>K_appa.glif</string> <key>Kcommaaccent</key> <string>K_commaaccent.glif</string> <key>Kdotbelow</key> <string>K_dotbelow.glif</string> <key>Kje-cy</key> <string>K_je-cy.glif</string> <key>Klinebelow</key> <string>K_linebelow.glif</string> <key>L</key> <string>L_.glif</string> <key>L.half</key> <string>L_.half.glif</string> <key>LIG</key> <string>L_I_G_.glif</string> <key>Lacute</key> <string>L_acute.glif</string> <key>Lambda</key> <string>L_ambda.glif</string> <key>Lbar</key> <string>L_bar.glif</string> <key>Lcaron</key> <string>L_caron.glif</string> <key>Lcommaaccent</key> <string>L_commaaccent.glif</string> <key>Ldot</key> <string>L_dot.glif</string> <key>Ldotbelow</key> <string>L_dotbelow.glif</string> <key>Lje-cy</key> <string>L_je-cy.glif</string> <key>Llinebelow</key> <string>L_linebelow.glif</string> <key>Lmiddletilde</key> <string>L_middletilde.glif</string> <key>Lslash</key> <string>L_slash.glif</string> <key>Lsmall</key> <string>L_small.glif</string> <key>M</key> <string>M_.glif</string> <key>M.half</key> <string>M_.half.glif</string> <key>Mu</key> <string>M_u.glif</string> <key>N</key> <string>N_.glif</string> <key>N.half</key> <string>N_.half.glif</string> <key>Nacute</key> <string>N_acute.glif</string> <key>Nacute.loclPLK</key> <string>N_acute.loclP_L_K_.glif</string> <key>Ncaron</key> <string>N_caron.glif</string> <key>Ncommaaccent</key> <string>N_commaaccent.glif</string> <key>Nhookleft</key> <string>N_hookleft.glif</string> <key>Nje-cy</key> <string>N_je-cy.glif</string> <key>Nlinebelow</key> <string>N_linebelow.glif</string> <key>Ntilde</key> <string>N_tilde.glif</string> <key>Nu</key> <string>N_u.glif</string> <key>O</key> <string>O_.glif</string> <key>O-cy</key> <string>O_-cy.glif</string> <key>O.half</key> <string>O_.half.glif</string> <key>OE</key> <string>O_E_.glif</string> <key>Oacute</key> <string>O_acute.glif</string> <key>Oacute.loclPLK</key> <string>O_acute.loclP_L_K_.glif</string> <key>Obarred-cy</key> <string>O_barred-cy.glif</string> <key>Obreve</key> <string>O_breve.glif</string> <key>Ocircumflex</key> <string>O_circumflex.glif</string> <key>Ocircumflexacute</key> <string>O_circumflexacute.glif</string> <key>Ocircumflexdotbelow</key> <string>O_circumflexdotbelow.glif</string> <key>Ocircumflexgrave</key> <string>O_circumflexgrave.glif</string> <key>Ocircumflexhookabove</key> <string>O_circumflexhookabove.glif</string> <key>Ocircumflextilde</key> <string>O_circumflextilde.glif</string> <key>Odieresis</key> <string>O_dieresis.glif</string> <key>Odotbelow</key> <string>O_dotbelow.glif</string> <key>Ograve</key> <string>O_grave.glif</string> <key>Ohm</key> <string>O_hm.glif</string> <key>Ohookabove</key> <string>O_hookabove.glif</string> <key>Ohorn</key> <string>O_horn.glif</string> <key>Ohornacute</key> <string>O_hornacute.glif</string> <key>Ohorndotbelow</key> <string>O_horndotbelow.glif</string> <key>Ohorngrave</key> <string>O_horngrave.glif</string> <key>Ohornhookabove</key> <string>O_hornhookabove.glif</string> <key>Ohorntilde</key> <string>O_horntilde.glif</string> <key>Ohungarumlaut</key> <string>O_hungarumlaut.glif</string> <key>Omacron</key> <string>O_macron.glif</string> <key>Omacronacute</key> <string>O_macronacute.glif</string> <key>Omacrongrave</key> <string>O_macrongrave.glif</string> <key>Omega</key> <string>O_mega.glif</string> <key>Omegatonos</key> <string>O_megatonos.glif</string> <key>Omicron</key> <string>O_micron.glif</string> <key>Omicrontonos</key> <string>O_microntonos.glif</string> <key>Oogonek</key> <string>O_ogonek.glif</string> <key>Oopen</key> <string>O_open.glif</string> <key>Oslash</key> <string>O_slash.glif</string> <key>Oslashacute</key> <string>O_slashacute.glif</string> <key>Otilde</key> <string>O_tilde.glif</string> <key>P</key> <string>P_.glif</string> <key>P.half</key> <string>P_.half.glif</string> <key>Palochka-cy</key> <string>P_alochka-cy.glif</string> <key>Pe-cy</key> <string>P_e-cy.glif</string> <key>Phi</key> <string>P_hi.glif</string> <key>Pi</key> <string>P_i.glif</string> <key>Psi</key> <string>P_si.glif</string> <key>Q</key> <string>Q_.glif</string> <key>Q.half</key> <string>Q_.half.glif</string> <key>R</key> <string>R_.glif</string> <key>R.half</key> <string>R_.half.glif</string> <key>Racute</key> <string>R_acute.glif</string> <key>Rcaron</key> <string>R_caron.glif</string> <key>Rcommaaccent</key> <string>R_commaaccent.glif</string> <key>Rdotbelow</key> <string>R_dotbelow.glif</string> <key>Rho</key> <string>R_ho.glif</string> <key>S</key> <string>S_.glif</string> <key>S.half</key> <string>S_.half.glif</string> <key>Sacute</key> <string>S_acute.glif</string> <key>Sacute.loclPLK</key> <string>S_acute.loclP_L_K_.glif</string> <key>Scaron</key> <string>S_caron.glif</string> <key>Scedilla</key> <string>S_cedilla.glif</string> <key>Schwa</key> <string>S_chwa.glif</string> <key>Schwa-cy</key> <string>S_chwa-cy.glif</string> <key>Scircumflex</key> <string>S_circumflex.glif</string> <key>Scommaaccent</key> <string>S_commaaccent.glif</string> <key>Sdotbelow</key> <string>S_dotbelow.glif</string> <key>Sha-cy</key> <string>S_ha-cy.glif</string> <key>Shcha-cy</key> <string>S_hcha-cy.glif</string> <key>Shha-cy</key> <string>S_hha-cy.glif</string> <key>Sigma</key> <string>S_igma.glif</string> <key>Softsign-cy</key> <string>S_oftsign-cy.glif</string> <key>T</key> <string>T_.glif</string> <key>T.half</key> <string>T_.half.glif</string> <key>Tau</key> <string>T_au.glif</string> <key>Tbar</key> <string>T_bar.glif</string> <key>Tcaron</key> <string>T_caron.glif</string> <key>Tcedilla</key> <string>T_cedilla.glif</string> <key>Tcommaaccent</key> <string>T_commaaccent.glif</string> <key>Tdiagonalstroke</key> <string>T_diagonalstroke.glif</string> <key>Te-cy</key> <string>T_e-cy.glif</string> <key>Theta</key> <string>T_heta.glif</string> <key>Thorn</key> <string>T_horn.glif</string> <key>Tlinebelow</key> <string>T_linebelow.glif</string> <key>Tse-cy</key> <string>T_se-cy.glif</string> <key>Tshe-cy</key> <string>T_she-cy.glif</string> <key>U</key> <string>U_.glif</string> <key>U-cy</key> <string>U_-cy.glif</string> <key>U.half</key> <string>U_.half.glif</string> <key>Uacute</key> <string>U_acute.glif</string> <key>Ubreve</key> <string>U_breve.glif</string> <key>Ucircumflex</key> <string>U_circumflex.glif</string> <key>Udieresis</key> <string>U_dieresis.glif</string> <key>Udotbelow</key> <string>U_dotbelow.glif</string> <key>Ugrave</key> <string>U_grave.glif</string> <key>Uhookabove</key> <string>U_hookabove.glif</string> <key>Uhorn</key> <string>U_horn.glif</string> <key>Uhornacute</key> <string>U_hornacute.glif</string> <key>Uhorndotbelow</key> <string>U_horndotbelow.glif</string> <key>Uhorngrave</key> <string>U_horngrave.glif</string> <key>Uhornhookabove</key> <string>U_hornhookabove.glif</string> <key>Uhorntilde</key> <string>U_horntilde.glif</string> <key>Uhungarumlaut</key> <string>U_hungarumlaut.glif</string> <key>Umacron</key> <string>U_macron.glif</string> <key>Umacron-cy</key> <string>U_macron-cy.glif</string> <key>Uogonek</key> <string>U_ogonek.glif</string> <key>Upsilon</key> <string>U_psilon.glif</string> <key>Upsilonafrican</key> <string>U_psilonafrican.glif</string> <key>Upsilondieresis</key> <string>U_psilondieresis.glif</string> <key>Upsilontonos</key> <string>U_psilontonos.glif</string> <key>Uring</key> <string>U_ring.glif</string> <key>Ushort-cy</key> <string>U_short-cy.glif</string> <key>Ustraight-cy</key> <string>U_straight-cy.glif</string> <key>Ustraightstroke-cy</key> <string>U_straightstroke-cy.glif</string> <key>Utilde</key> <string>U_tilde.glif</string> <key>V</key> <string>V_.glif</string> <key>V.half</key> <string>V_.half.glif</string> <key>Ve-cy</key> <string>V_e-cy.glif</string> <key>Vhook</key> <string>V_hook.glif</string> <key>Vturned</key> <string>V_turned.glif</string> <key>W</key> <string>W_.glif</string> <key>Wacute</key> <string>W_acute.glif</string> <key>Wcircumflex</key> <string>W_circumflex.glif</string> <key>Wdieresis</key> <string>W_dieresis.glif</string> <key>Wgrave</key> <string>W_grave.glif</string> <key>X</key> <string>X_.glif</string> <key>X.half</key> <string>X_.half.glif</string> <key>Xi</key> <string>X_i.glif</string> <key>Y</key> <string>Y_.glif</string> <key>Y.half</key> <string>Y_.half.glif</string> <key>Yacute</key> <string>Y_acute.glif</string> <key>Ycircumflex</key> <string>Y_circumflex.glif</string> <key>Ydieresis</key> <string>Y_dieresis.glif</string> <key>Ydotbelow</key> <string>Y_dotbelow.glif</string> <key>Yeru-cy</key> <string>Y_eru-cy.glif</string> <key>Ygrave</key> <string>Y_grave.glif</string> <key>Yhookabove</key> <string>Y_hookabove.glif</string> <key>Yi-cy</key> <string>Y_i-cy.glif</string> <key>Ymacron</key> <string>Y_macron.glif</string> <key>Ytilde</key> <string>Y_tilde.glif</string> <key>Z</key> <string>Z_.glif</string> <key>Zacute</key> <string>Z_acute.glif</string> <key>Zacute.loclPLK</key> <string>Z_acute.loclP_L_K_.glif</string> <key>Zcaron</key> <string>Z_caron.glif</string> <key>Zdotaccent</key> <string>Z_dotaccent.glif</string> <key>Ze-cy</key> <string>Z_e-cy.glif</string> <key>Zeta</key> <string>Z_eta.glif</string> <key>Zhe-cy</key> <string>Z_he-cy.glif</string> <key>Zhedescender-cy</key> <string>Z_hedescender-cy.glif</string> <key>_alef-ar.fina.rlig</key> <string>_alef-ar.fina.rlig.glif</string> <key>_alef-ar.fina.short.rlig</key> <string>_alef-ar.fina.short.rlig.glif</string> <key>_alefFathatan-ar.fina.rlig</key> <string>_alefF_athatan-ar.fina.rlig.glif</string> <key>_alefHamzaabove-ar.fina.rlig</key> <string>_alefH_amzaabove-ar.fina.rlig.glif</string> <key>_alefHamzabelow-ar.fina.rlig</key> <string>_alefH_amzabelow-ar.fina.rlig.glif</string> <key>_alefMadda-ar.fina.rlig</key> <string>_alefM_adda-ar.fina.rlig.glif</string> <key>_alefThreeabove-ar.fina.rlig</key> <string>_alefT_hreeabove-ar.fina.rlig.glif</string> <key>_alefTwoabove-ar.fina.rlig</key> <string>_alefT_woabove-ar.fina.rlig.glif</string> <key>_alefWasla-ar.fina.rlig</key> <string>_alefW_asla-ar.fina.rlig.glif</string> <key>_alefWavyhamzaabove-ar.fina.rlig</key> <string>_alefW_avyhamzaabove-ar.fina.rlig.glif</string> <key>_alefWavyhamzabelow-ar.fina.rlig</key> <string>_alefW_avyhamzabelow-ar.fina.rlig.glif</string> <key>_alefabove</key> <string>_alefabove.glif</string> <key>_bar</key> <string>_bar.glif</string> <key>_cuberoot_fourthroot-ar</key> <string>_cuberoot_fourthroot-ar.glif</string> <key>_damma-ar</key> <string>_damma-ar.glif</string> <key>_dot-ar</key> <string>_dot-ar.glif</string> <key>_dotVInvertedabove</key> <string>_dotV_I_nvertedabove.glif</string> <key>_dotVabove</key> <string>_dotV_above.glif</string> <key>_dots.horz.below</key> <string>_dots.horz.below.glif</string> <key>_doublebar</key> <string>_doublebar.glif</string> <key>_fatha-ar</key> <string>_fatha-ar.glif</string> <key>_four-persian.small01</key> <string>_four-persian.small01.glif</string> <key>_fourdotscenter-ar</key> <string>_fourdotscenter-ar.glif</string> <key>_fourthroot-ar</key> <string>_fourthroot-ar.glif</string> <key>_hamzasmall-ar</key> <string>_hamzasmall-ar.glif</string> <key>_hamzawavy</key> <string>_hamzawavy.glif</string> <key>_hehgoalcomma</key> <string>_hehgoalcomma.glif</string> <key>_highhamzaAlef-ar.fina.rlig</key> <string>_highhamzaA_lef-ar.fina.rlig.glif</string> <key>_invertedstroke</key> <string>_invertedstroke.glif</string> <key>_onedotstah</key> <string>_onedotstah.glif</string> <key>_ringArabic</key> <string>_ringA_rabic.glif</string> <key>_stroke</key> <string>_stroke.glif</string> <key>_tahabove</key> <string>_tahabove.glif</string> <key>_tahabovesmall</key> <string>_tahabovesmall.glif</string> <key>_threedots-ar</key> <string>_threedots-ar.glif</string> <key>_twodotshorizontal-ar</key> <string>_twodotshorizontal-ar.glif</string> <key>_twodotstah</key> <string>_twodotstah.glif</string> <key>_twodotsverticalabove-ar</key> <string>_twodotsverticalabove-ar.glif</string> <key>_vabove</key> <string>_vabove.glif</string> <key>_vbelow-ar</key> <string>_vbelow-ar.glif</string> <key>_vinvertedbelow-ar</key> <string>_vinvertedbelow-ar.glif</string> <key>_yehRohingya-ar</key> <string>_yehR_ohingya-ar.glif</string> <key>_yehRohingya-ar.fina</key> <string>_yehR_ohingya-ar.fina.glif</string> <key>a</key> <string>a.glif</string> <key>a-cy</key> <string>a-cy.glif</string> <key>aacute</key> <string>aacute.glif</string> <key>abreve</key> <string>abreve.glif</string> <key>abreveacute</key> <string>abreveacute.glif</string> <key>abrevedotbelow</key> <string>abrevedotbelow.glif</string> <key>abrevegrave</key> <string>abrevegrave.glif</string> <key>abrevehookabove</key> <string>abrevehookabove.glif</string> <key>abrevetilde</key> <string>abrevetilde.glif</string> <key>acaron</key> <string>acaron.glif</string> <key>acircumflex</key> <string>acircumflex.glif</string> <key>acircumflexacute</key> <string>acircumflexacute.glif</string> <key>acircumflexdotbelow</key> <string>acircumflexdotbelow.glif</string> <key>acircumflexgrave</key> <string>acircumflexgrave.glif</string> <key>acircumflexhookabove</key> <string>acircumflexhookabove.glif</string> <key>acircumflextilde</key> <string>acircumflextilde.glif</string> <key>acknowledgeControl</key> <string>acknowledgeC_ontrol.glif</string> <key>acknowledgeControl.ss20</key> <string>acknowledgeC_ontrol.ss20.glif</string> <key>acute</key> <string>acute.glif</string> <key>acutecomb</key> <string>acutecomb.glif</string> <key>acutecomb.case</key> <string>acutecomb.case.glif</string> <key>acutecomb.case.loclPLK</key> <string>acutecomb.case.loclP_L_K_.glif</string> <key>acutecomb.loclPLK</key> <string>acutecomb.loclP_L_K_.glif</string> <key>acutetonecomb</key> <string>acutetonecomb.glif</string> <key>adieresis</key> <string>adieresis.glif</string> <key>adotbelow</key> <string>adotbelow.glif</string> <key>ae</key> <string>ae.glif</string> <key>ae-ar</key> <string>ae-ar.glif</string> <key>ae-ar.fina</key> <string>ae-ar.fina.glif</string> <key>aeacute</key> <string>aeacute.glif</string> <key>afghani-ar</key> <string>afghani-ar.glif</string> <key>agrave</key> <string>agrave.glif</string> <key>ahookabove</key> <string>ahookabove.glif</string> <key>ain-ar</key> <string>ain-ar.glif</string> <key>ain-ar.fina</key> <string>ain-ar.fina.glif</string> <key>ain-ar.init</key> <string>ain-ar.init.glif</string> <key>ain-ar.medi</key> <string>ain-ar.medi.glif</string> <key>ainThreedots-ar</key> <string>ainT_hreedots-ar.glif</string> <key>ainThreedots-ar.fina</key> <string>ainT_hreedots-ar.fina.glif</string> <key>ainThreedots-ar.init</key> <string>ainT_hreedots-ar.init.glif</string> <key>ainThreedots-ar.medi</key> <string>ainT_hreedots-ar.medi.glif</string> <key>ainThreedotsdownabove-ar</key> <string>ainT_hreedotsdownabove-ar.glif</string> <key>ainThreedotsdownabove-ar.fina</key> <string>ainT_hreedotsdownabove-ar.fina.glif</string> <key>ainThreedotsdownabove-ar.init</key> <string>ainT_hreedotsdownabove-ar.init.glif</string> <key>ainThreedotsdownabove-ar.medi</key> <string>ainT_hreedotsdownabove-ar.medi.glif</string> <key>ainTwodotshorizontalabove-ar</key> <string>ainT_wodotshorizontalabove-ar.glif</string> <key>ainTwodotshorizontalabove-ar.fina</key> <string>ainT_wodotshorizontalabove-ar.fina.glif</string> <key>ainTwodotshorizontalabove-ar.init</key> <string>ainT_wodotshorizontalabove-ar.init.glif</string> <key>ainTwodotshorizontalabove-ar.medi</key> <string>ainT_wodotshorizontalabove-ar.medi.glif</string> <key>ainTwodotsverticalabove-ar</key> <string>ainT_wodotsverticalabove-ar.glif</string> <key>ainTwodotsverticalabove-ar.fina</key> <string>ainT_wodotsverticalabove-ar.fina.glif</string> <key>ainTwodotsverticalabove-ar.init</key> <string>ainT_wodotsverticalabove-ar.init.glif</string> <key>ainTwodotsverticalabove-ar.medi</key> <string>ainT_wodotsverticalabove-ar.medi.glif</string> <key>alef-ar</key> <string>alef-ar.glif</string> <key>alef-ar.fina</key> <string>alef-ar.fina.glif</string> <key>alef-ar.fina.alt</key> <string>alef-ar.fina.alt.glif</string> <key>alef-ar.fina.rlig</key> <string>alef-ar.fina.rlig.glif</string> <key>alef-ar.fina.short</key> <string>alef-ar.fina.short.glif</string> <key>alef-ar.fina.short.alt</key> <string>alef-ar.fina.short.alt.glif</string> <key>alef-ar.fina.short.rlig</key> <string>alef-ar.fina.short.rlig.glif</string> <key>alef-ar.short</key> <string>alef-ar.short.glif</string> <key>alef-hb</key> <string>alef-hb.glif</string> <key>alefFathatan-ar</key> <string>alefF_athatan-ar.glif</string> <key>alefFathatan-ar.fina</key> <string>alefF_athatan-ar.fina.glif</string> <key>alefFathatan-ar.fina.rlig</key> <string>alefF_athatan-ar.fina.rlig.glif</string> <key>alefHamzaabove-ar</key> <string>alefH_amzaabove-ar.glif</string> <key>alefHamzaabove-ar.fina</key> <string>alefH_amzaabove-ar.fina.glif</string> <key>alefHamzaabove-ar.fina.alt</key> <string>alefH_amzaabove-ar.fina.alt.glif</string> <key>alefHamzaabove-ar.fina.rlig</key> <string>alefH_amzaabove-ar.fina.rlig.glif</string> <key>alefHamzabelow-ar</key> <string>alefH_amzabelow-ar.glif</string> <key>alefHamzabelow-ar.fina</key> <string>alefH_amzabelow-ar.fina.glif</string> <key>alefHamzabelow-ar.fina.alt</key> <string>alefH_amzabelow-ar.fina.alt.glif</string> <key>alefHamzabelow-ar.fina.rlig</key> <string>alefH_amzabelow-ar.fina.rlig.glif</string> <key>alefMadda-ar</key> <string>alefM_adda-ar.glif</string> <key>alefMadda-ar.fina</key> <string>alefM_adda-ar.fina.glif</string> <key>alefMadda-ar.fina.alt</key> <string>alefM_adda-ar.fina.alt.glif</string> <key>alefMadda-ar.fina.rlig</key> <string>alefM_adda-ar.fina.rlig.glif</string> <key>alefMaksura-ar</key> <string>alefM_aksura-ar.glif</string> <key>alefMaksura-ar.fina</key> <string>alefM_aksura-ar.fina.glif</string> <key>alefMaksura-ar.fina.alt</key> <string>alefM_aksura-ar.fina.alt.glif</string> <key>alefMaksura-ar.init</key> <string>alefM_aksura-ar.init.glif</string> <key>alefMaksura-ar.init.alt</key> <string>alefM_aksura-ar.init.alt.glif</string> <key>alefMaksura-ar.medi</key> <string>alefM_aksura-ar.medi.glif</string> <key>alefMaksuraAlefabove-ar</key> <string>alefM_aksuraA_lefabove-ar.glif</string> <key>alefMaksuraAlefabove-ar.fina</key> <string>alefM_aksuraA_lefabove-ar.fina.glif</string> <key>alefMaksuraAlefabove-ar.fina.alt</key> <string>alefM_aksuraA_lefabove-ar.fina.alt.glif</string> <key>alefThreeabove-ar</key> <string>alefT_hreeabove-ar.glif</string> <key>alefThreeabove-ar.fina</key> <string>alefT_hreeabove-ar.fina.glif</string> <key>alefThreeabove-ar.fina.alt</key> <string>alefT_hreeabove-ar.fina.alt.glif</string> <key>alefThreeabove-ar.fina.rlig</key> <string>alefT_hreeabove-ar.fina.rlig.glif</string> <key>alefTwoabove-ar</key> <string>alefT_woabove-ar.glif</string> <key>alefTwoabove-ar.fina</key> <string>alefT_woabove-ar.fina.glif</string> <key>alefTwoabove-ar.fina.alt</key> <string>alefT_woabove-ar.fina.alt.glif</string> <key>alefTwoabove-ar.fina.rlig</key> <string>alefT_woabove-ar.fina.rlig.glif</string> <key>alefWasla-ar</key> <string>alefW_asla-ar.glif</string> <key>alefWasla-ar.fina</key> <string>alefW_asla-ar.fina.glif</string> <key>alefWasla-ar.fina.alt</key> <string>alefW_asla-ar.fina.alt.glif</string> <key>alefWasla-ar.fina.rlig</key> <string>alefW_asla-ar.fina.rlig.glif</string> <key>alefWavyhamzaabove-ar</key> <string>alefW_avyhamzaabove-ar.glif</string> <key>alefWavyhamzaabove-ar.fina</key> <string>alefW_avyhamzaabove-ar.fina.glif</string> <key>alefWavyhamzaabove-ar.fina.alt</key> <string>alefW_avyhamzaabove-ar.fina.alt.glif</string> <key>alefWavyhamzaabove-ar.fina.rlig</key> <string>alefW_avyhamzaabove-ar.fina.rlig.glif</string> <key>alefWavyhamzabelow-ar</key> <string>alefW_avyhamzabelow-ar.glif</string> <key>alefWavyhamzabelow-ar.fina</key> <string>alefW_avyhamzabelow-ar.fina.glif</string> <key>alefWavyhamzabelow-ar.fina.alt</key> <string>alefW_avyhamzabelow-ar.fina.alt.glif</string> <key>alefWavyhamzabelow-ar.fina.rlig</key> <string>alefW_avyhamzabelow-ar.fina.rlig.glif</string> <key>alefabove-ar</key> <string>alefabove-ar.glif</string> <key>alefbelow-ar</key> <string>alefbelow-ar.glif</string> <key>alefdagesh-hb</key> <string>alefdagesh-hb.glif</string> <key>alefdagesh-hb.BRACKET.500</key> <string>alefdagesh-hb.B_R_A_C_K_E_T_.500.glif</string> <key>alefpatah-hb</key> <string>alefpatah-hb.glif</string> <key>alefqamats-hb</key> <string>alefqamats-hb.glif</string> <key>allah-ar</key> <string>allah-ar.glif</string> <key>alpha</key> <string>alpha.glif</string> <key>alpha-latin</key> <string>alpha-latin.glif</string> <key>alphatonos</key> <string>alphatonos.glif</string> <key>amacron</key> <string>amacron.glif</string> <key>ampersand</key> <string>ampersand.glif</string> <key>ampersand_ampersand.liga</key> <string>ampersand_ampersand.liga.glif</string> <key>anoteleia</key> <string>anoteleia.glif</string> <key>aogonek</key> <string>aogonek.glif</string> <key>apostrophemod</key> <string>apostrophemod.glif</string> <key>approxequal</key> <string>approxequal.glif</string> <key>aring</key> <string>aring.glif</string> <key>aringacute</key> <string>aringacute.glif</string> <key>asciicircum</key> <string>asciicircum.glif</string> <key>asciicircum_equal.liga</key> <string>asciicircum_equal.liga.glif</string> <key>asciitilde</key> <string>asciitilde.glif</string> <key>asciitilde_asciitilde.liga</key> <string>asciitilde_asciitilde.liga.glif</string> <key>asciitilde_asciitilde_greater.liga</key> <string>asciitilde_asciitilde_greater.liga.glif</string> <key>asciitilde_at.liga</key> <string>asciitilde_at.liga.glif</string> <key>asciitilde_equal.liga</key> <string>asciitilde_equal.liga.glif</string> <key>asciitilde_greater.liga</key> <string>asciitilde_greater.liga.glif</string> <key>asciitilde_hyphen.liga</key> <string>asciitilde_hyphen.liga.glif</string> <key>asterisk</key> <string>asterisk.glif</string> <key>asterisk-ar</key> <string>asterisk-ar.glif</string> <key>asteriskArt-ar</key> <string>asteriskA_rt-ar.glif</string> <key>asterisk_asterisk.liga</key> <string>asterisk_asterisk.liga.glif</string> <key>asterisk_asterisk_asterisk.liga</key> <string>asterisk_asterisk_asterisk.liga.glif</string> <key>asterisk_greater.liga</key> <string>asterisk_greater.liga.glif</string> <key>asterisk_parenright.liga</key> <string>asterisk_parenright.liga.glif</string> <key>asterisk_slash.liga</key> <string>asterisk_slash.liga.glif</string> <key>at</key> <string>at.glif</string> <key>atilde</key> <string>atilde.glif</string> <key>ayin-hb</key> <string>ayin-hb.glif</string> <key>b</key> <string>b.glif</string> <key>backslash</key> <string>backslash.glif</string> <key>backslash_backslash.liga</key> <string>backslash_backslash.liga.glif</string> <key>backslash_slash.liga</key> <string>backslash_slash.liga.glif</string> <key>backspaceControl</key> <string>backspaceC_ontrol.glif</string> <key>backspaceControl.ss20</key> <string>backspaceC_ontrol.ss20.glif</string> <key>baht</key> <string>baht.glif</string> <key>baht.BRACKET.600</key> <string>baht.B_R_A_C_K_E_T_.600.glif</string> <key>bar</key> <string>bar.glif</string> <key>bar_bar.liga</key> <string>bar_bar.liga.glif</string> <key>bar_bar_bar.liga</key> <string>bar_bar_bar.liga.glif</string> <key>bar_bar_bar_greater.liga</key> <string>bar_bar_bar_greater.liga.glif</string> <key>bar_bar_equal_end.seq</key> <string>bar_bar_equal_end.seq.glif</string> <key>bar_bar_equal_middle.seq</key> <string>bar_bar_equal_middle.seq.glif</string> <key>bar_bar_equal_start.seq</key> <string>bar_bar_equal_start.seq.glif</string> <key>bar_bar_greater.liga</key> <string>bar_bar_greater.liga.glif</string> <key>bar_bar_hyphen_end.seq</key> <string>bar_bar_hyphen_end.seq.glif</string> <key>bar_bar_hyphen_middle.seq</key> <string>bar_bar_hyphen_middle.seq.glif</string> <key>bar_bar_hyphen_start.seq</key> <string>bar_bar_hyphen_start.seq.glif</string> <key>bar_braceright.liga</key> <string>bar_braceright.liga.glif</string> <key>bar_bracketright.liga</key> <string>bar_bracketright.liga.glif</string> <key>bar_equal_end.seq</key> <string>bar_equal_end.seq.glif</string> <key>bar_equal_middle.seq</key> <string>bar_equal_middle.seq.glif</string> <key>bar_equal_start.seq</key> <string>bar_equal_start.seq.glif</string> <key>bar_greater.liga</key> <string>bar_greater.liga.glif</string> <key>bar_hyphen_end.seq</key> <string>bar_hyphen_end.seq.glif</string> <key>bar_hyphen_middle.seq</key> <string>bar_hyphen_middle.seq.glif</string> <key>bar_hyphen_start.seq</key> <string>bar_hyphen_start.seq.glif</string> <key>bar_underscore_middle.seq</key> <string>bar_underscore_middle.seq.glif</string> <key>be-cy</key> <string>be-cy.glif</string> <key>be-cy.loclSRB</key> <string>be-cy.loclS_R_B_.glif</string> <key>beeh-ar</key> <string>beeh-ar.glif</string> <key>beeh-ar.alt</key> <string>beeh-ar.alt.glif</string> <key>beeh-ar.fina</key> <string>beeh-ar.fina.glif</string> <key>beeh-ar.fina.alt</key> <string>beeh-ar.fina.alt.glif</string> <key>beeh-ar.init</key> <string>beeh-ar.init.glif</string> <key>beeh-ar.init.alt</key> <string>beeh-ar.init.alt.glif</string> <key>beeh-ar.medi</key> <string>beeh-ar.medi.glif</string> <key>beh-ar</key> <string>beh-ar.glif</string> <key>beh-ar.alt</key> <string>beh-ar.alt.glif</string> <key>beh-ar.fina</key> <string>beh-ar.fina.glif</string> <key>beh-ar.fina.alt</key> <string>beh-ar.fina.alt.glif</string> <key>beh-ar.init</key> <string>beh-ar.init.glif</string> <key>beh-ar.init.alt</key> <string>beh-ar.init.alt.glif</string> <key>beh-ar.medi</key> <string>beh-ar.medi.glif</string> <key>behDotless-ar</key> <string>behD_otless-ar.glif</string> <key>behDotless-ar.alt</key> <string>behD_otless-ar.alt.glif</string> <key>behDotless-ar.fina</key> <string>behD_otless-ar.fina.glif</string> <key>behDotless-ar.fina.alt</key> <string>behD_otless-ar.fina.alt.glif</string> <key>behDotless-ar.init</key> <string>behD_otless-ar.init.glif</string> <key>behDotless-ar.init.alt</key> <string>behD_otless-ar.init.alt.glif</string> <key>behDotless-ar.medi</key> <string>behD_otless-ar.medi.glif</string> <key>behMeemabove-ar</key> <string>behM_eemabove-ar.glif</string> <key>behMeemabove-ar.alt</key> <string>behM_eemabove-ar.alt.glif</string> <key>behMeemabove-ar.fina</key> <string>behM_eemabove-ar.fina.glif</string> <key>behMeemabove-ar.fina.alt</key> <string>behM_eemabove-ar.fina.alt.glif</string> <key>behMeemabove-ar.init</key> <string>behM_eemabove-ar.init.glif</string> <key>behMeemabove-ar.init.alt</key> <string>behM_eemabove-ar.init.alt.glif</string> <key>behMeemabove-ar.medi</key> <string>behM_eemabove-ar.medi.glif</string> <key>behThreedotshorizontalbelow-ar</key> <string>behT_hreedotshorizontalbelow-ar.glif</string> <key>behThreedotshorizontalbelow-ar.alt</key> <string>behT_hreedotshorizontalbelow-ar.alt.glif</string> <key>behThreedotshorizontalbelow-ar.fina</key> <string>behT_hreedotshorizontalbelow-ar.fina.glif</string> <key>behThreedotshorizontalbelow-ar.fina.alt</key> <string>behT_hreedotshorizontalbelow-ar.fina.alt.glif</string> <key>behThreedotshorizontalbelow-ar.init</key> <string>behT_hreedotshorizontalbelow-ar.init.glif</string> <key>behThreedotshorizontalbelow-ar.init.alt</key> <string>behT_hreedotshorizontalbelow-ar.init.alt.glif</string> <key>behThreedotshorizontalbelow-ar.medi</key> <string>behT_hreedotshorizontalbelow-ar.medi.glif</string> <key>behThreedotsupabove-ar</key> <string>behT_hreedotsupabove-ar.glif</string> <key>behThreedotsupabove-ar.alt</key> <string>behT_hreedotsupabove-ar.alt.glif</string> <key>behThreedotsupabove-ar.fina</key> <string>behT_hreedotsupabove-ar.fina.glif</string> <key>behThreedotsupabove-ar.fina.alt</key> <string>behT_hreedotsupabove-ar.fina.alt.glif</string> <key>behThreedotsupabove-ar.init</key> <string>behT_hreedotsupabove-ar.init.glif</string> <key>behThreedotsupabove-ar.init.alt</key> <string>behT_hreedotsupabove-ar.init.alt.glif</string> <key>behThreedotsupabove-ar.medi</key> <string>behT_hreedotsupabove-ar.medi.glif</string> <key>behThreedotsupbelow-ar</key> <string>behT_hreedotsupbelow-ar.glif</string> <key>behThreedotsupbelow-ar.alt</key> <string>behT_hreedotsupbelow-ar.alt.glif</string> <key>behThreedotsupbelow-ar.fina</key> <string>behT_hreedotsupbelow-ar.fina.glif</string> <key>behThreedotsupbelow-ar.fina.alt</key> <string>behT_hreedotsupbelow-ar.fina.alt.glif</string> <key>behThreedotsupbelow-ar.init</key> <string>behT_hreedotsupbelow-ar.init.glif</string> <key>behThreedotsupbelow-ar.init.alt</key> <string>behT_hreedotsupbelow-ar.init.alt.glif</string> <key>behThreedotsupbelow-ar.medi</key> <string>behT_hreedotsupbelow-ar.medi.glif</string> <key>behTwodotsbelowDotabove-ar</key> <string>behT_wodotsbelowD_otabove-ar.glif</string> <key>behTwodotsbelowDotabove-ar.alt</key> <string>behT_wodotsbelowD_otabove-ar.alt.glif</string> <key>behTwodotsbelowDotabove-ar.fina</key> <string>behT_wodotsbelowD_otabove-ar.fina.glif</string> <key>behTwodotsbelowDotabove-ar.fina.alt</key> <string>behT_wodotsbelowD_otabove-ar.fina.alt.glif</string> <key>behTwodotsbelowDotabove-ar.init</key> <string>behT_wodotsbelowD_otabove-ar.init.glif</string> <key>behTwodotsbelowDotabove-ar.init.alt</key> <string>behT_wodotsbelowD_otabove-ar.init.alt.glif</string> <key>behTwodotsbelowDotabove-ar.medi</key> <string>behT_wodotsbelowD_otabove-ar.medi.glif</string> <key>behVabove-ar</key> <string>behV_above-ar.glif</string> <key>behVabove-ar.alt</key> <string>behV_above-ar.alt.glif</string> <key>behVabove-ar.fina</key> <string>behV_above-ar.fina.glif</string> <key>behVabove-ar.fina.alt</key> <string>behV_above-ar.fina.alt.glif</string> <key>behVabove-ar.init</key> <string>behV_above-ar.init.glif</string> <key>behVabove-ar.init.alt</key> <string>behV_above-ar.init.alt.glif</string> <key>behVabove-ar.medi</key> <string>behV_above-ar.medi.glif</string> <key>behVbelow-ar</key> <string>behV_below-ar.glif</string> <key>behVbelow-ar.alt</key> <string>behV_below-ar.alt.glif</string> <key>behVbelow-ar.fina</key> <string>behV_below-ar.fina.glif</string> <key>behVbelow-ar.fina.alt</key> <string>behV_below-ar.fina.alt.glif</string> <key>behVbelow-ar.init</key> <string>behV_below-ar.init.glif</string> <key>behVbelow-ar.init.alt</key> <string>behV_below-ar.init.alt.glif</string> <key>behVbelow-ar.medi</key> <string>behV_below-ar.medi.glif</string> <key>behVinvertedbelow-ar</key> <string>behV_invertedbelow-ar.glif</string> <key>behVinvertedbelow-ar.alt</key> <string>behV_invertedbelow-ar.alt.glif</string> <key>behVinvertedbelow-ar.fina</key> <string>behV_invertedbelow-ar.fina.glif</string> <key>behVinvertedbelow-ar.fina.alt</key> <string>behV_invertedbelow-ar.fina.alt.glif</string> <key>behVinvertedbelow-ar.init</key> <string>behV_invertedbelow-ar.init.glif</string> <key>behVinvertedbelow-ar.init.alt</key> <string>behV_invertedbelow-ar.init.alt.glif</string> <key>behVinvertedbelow-ar.medi</key> <string>behV_invertedbelow-ar.medi.glif</string> <key>beheh-ar</key> <string>beheh-ar.glif</string> <key>beheh-ar.alt</key> <string>beheh-ar.alt.glif</string> <key>beheh-ar.fina</key> <string>beheh-ar.fina.glif</string> <key>beheh-ar.fina.alt</key> <string>beheh-ar.fina.alt.glif</string> <key>beheh-ar.init</key> <string>beheh-ar.init.glif</string> <key>beheh-ar.init.alt</key> <string>beheh-ar.init.alt.glif</string> <key>beheh-ar.medi</key> <string>beheh-ar.medi.glif</string> <key>behhamzaabove-ar</key> <string>behhamzaabove-ar.glif</string> <key>behhamzaabove-ar.alt</key> <string>behhamzaabove-ar.alt.glif</string> <key>behhamzaabove-ar.fina</key> <string>behhamzaabove-ar.fina.glif</string> <key>behhamzaabove-ar.fina.alt</key> <string>behhamzaabove-ar.fina.alt.glif</string> <key>behhamzaabove-ar.init</key> <string>behhamzaabove-ar.init.glif</string> <key>behhamzaabove-ar.medi</key> <string>behhamzaabove-ar.medi.glif</string> <key>bellControl</key> <string>bellC_ontrol.glif</string> <key>bellControl.ss20</key> <string>bellC_ontrol.ss20.glif</string> <key>bet-hb</key> <string>bet-hb.glif</string> <key>beta</key> <string>beta.glif</string> <key>betdagesh-hb</key> <string>betdagesh-hb.glif</string> <key>bitcoin</key> <string>bitcoin.glif</string> <key>blackCircle</key> <string>blackC_ircle.glif</string> <key>blackDiamond</key> <string>blackD_iamond.glif</string> <key>blackHexagon</key> <string>blackH_exagon.glif</string> <key>blackHorizontalEllipse</key> <string>blackH_orizontalE_llipse.glif</string> <key>blackInWhiteDiamond</key> <string>blackI_nW_hiteD_iamond.glif</string> <key>blackLargeCircle</key> <string>blackL_argeC_ircle.glif</string> <key>blackLargeSquare</key> <string>blackL_argeS_quare.glif</string> <key>blackMediumDiamond</key> <string>blackM_ediumD_iamond.glif</string> <key>blackMediumDownTriangleCentred</key> <string>blackM_ediumD_ownT_riangleC_entred.glif</string> <key>blackMediumLeftTriangleCentred</key> <string>blackM_ediumL_eftT_riangleC_entred.glif</string> <key>blackMediumLozenge</key> <string>blackM_ediumL_ozenge.glif</string> <key>blackMediumRightTriangleCentred</key> <string>blackM_ediumR_ightT_riangleC_entred.glif</string> <key>blackMediumUpTriangleCentred</key> <string>blackM_ediumU_pT_riangleC_entred.glif</string> <key>blackParallelogram</key> <string>blackP_arallelogram.glif</string> <key>blackPentagon</key> <string>blackP_entagon.glif</string> <key>blackSmallDiamond</key> <string>blackS_mallD_iamond.glif</string> <key>blackSmallLozenge</key> <string>blackS_mallL_ozenge.glif</string> <key>blackSmallSquare</key> <string>blackS_mallS_quare.glif</string> <key>blackSmilingFace</key> <string>blackS_milingF_ace.glif</string> <key>blackSquare</key> <string>blackS_quare.glif</string> <key>blackVerticalEllipse</key> <string>blackV_erticalE_llipse.glif</string> <key>blackVerticalRect</key> <string>blackV_erticalR_ect.glif</string> <key>blackVerysmallSquare</key> <string>blackV_erysmallS_quare.glif</string> <key>blank</key> <string>blank.glif</string> <key>blank-braille</key> <string>blank-braille.glif</string> <key>blankSymbol</key> <string>blankS_ymbol.glif</string> <key>bottomHalfBlackCircle</key> <string>bottomH_alfB_lackC_ircle.glif</string> <key>bottomHalfBlackDiamond</key> <string>bottomH_alfB_lackD_iamond.glif</string> <key>boxDoubleDownAndHorizontal</key> <string>boxD_oubleD_ownA_ndH_orizontal.glif</string> <key>boxDoubleDownAndHorizontal.stypo</key> <string>boxD_oubleD_ownA_ndH_orizontal.stypo.glif</string> <key>boxDoubleDownAndLeft</key> <string>boxD_oubleD_ownA_ndL_eft.glif</string> <key>boxDoubleDownAndLeft.stypo</key> <string>boxD_oubleD_ownA_ndL_eft.stypo.glif</string> <key>boxDoubleDownAndRight</key> <string>boxD_oubleD_ownA_ndR_ight.glif</string> <key>boxDoubleDownAndRight.stypo</key> <string>boxD_oubleD_ownA_ndR_ight.stypo.glif</string> <key>boxDoubleHorizontal</key> <string>boxD_oubleH_orizontal.glif</string> <key>boxDoubleHorizontal.stypo</key> <string>boxD_oubleH_orizontal.stypo.glif</string> <key>boxDoubleUpAndHorizontal</key> <string>boxD_oubleU_pA_ndH_orizontal.glif</string> <key>boxDoubleUpAndHorizontal.stypo</key> <string>boxD_oubleU_pA_ndH_orizontal.stypo.glif</string> <key>boxDoubleUpAndLeft</key> <string>boxD_oubleU_pA_ndL_eft.glif</string> <key>boxDoubleUpAndLeft.stypo</key> <string>boxD_oubleU_pA_ndL_eft.stypo.glif</string> <key>boxDoubleUpAndRight</key> <string>boxD_oubleU_pA_ndR_ight.glif</string> <key>boxDoubleUpAndRight.stypo</key> <string>boxD_oubleU_pA_ndR_ight.stypo.glif</string> <key>boxDoubleVertical</key> <string>boxD_oubleV_ertical.glif</string> <key>boxDoubleVertical.stypo</key> <string>boxD_oubleV_ertical.stypo.glif</string> <key>boxDoubleVerticalAndHorizontal</key> <string>boxD_oubleV_erticalA_ndH_orizontal.glif</string> <key>boxDoubleVerticalAndHorizontal.stypo</key> <string>boxD_oubleV_erticalA_ndH_orizontal.stypo.glif</string> <key>boxDoubleVerticalAndLeft</key> <string>boxD_oubleV_erticalA_ndL_eft.glif</string> <key>boxDoubleVerticalAndLeft.stypo</key> <string>boxD_oubleV_erticalA_ndL_eft.stypo.glif</string> <key>boxDoubleVerticalAndRight</key> <string>boxD_oubleV_erticalA_ndR_ight.glif</string> <key>boxDoubleVerticalAndRight.stypo</key> <string>boxD_oubleV_erticalA_ndR_ight.stypo.glif</string> <key>boxDownDoubleAndHorizontalSingle</key> <string>boxD_ownD_oubleA_ndH_orizontalS_ingle.glif</string> <key>boxDownDoubleAndHorizontalSingle.stypo</key> <string>boxD_ownD_oubleA_ndH_orizontalS_ingle.stypo.glif</string> <key>boxDownDoubleAndLeftSingle</key> <string>boxD_ownD_oubleA_ndL_eftS_ingle.glif</string> <key>boxDownDoubleAndLeftSingle.stypo</key> <string>boxD_ownD_oubleA_ndL_eftS_ingle.stypo.glif</string> <key>boxDownDoubleAndRightSingle</key> <string>boxD_ownD_oubleA_ndR_ightS_ingle.glif</string> <key>boxDownDoubleAndRightSingle.stypo</key> <string>boxD_ownD_oubleA_ndR_ightS_ingle.stypo.glif</string> <key>boxDownHeavyAndHorizontalLight</key> <string>boxD_ownH_eavyA_ndH_orizontalL_ight.glif</string> <key>boxDownHeavyAndHorizontalLight.stypo</key> <string>boxD_ownH_eavyA_ndH_orizontalL_ight.stypo.glif</string> <key>boxDownHeavyAndLeftLight</key> <string>boxD_ownH_eavyA_ndL_eftL_ight.glif</string> <key>boxDownHeavyAndLeftLight.stypo</key> <string>boxD_ownH_eavyA_ndL_eftL_ight.stypo.glif</string> <key>boxDownHeavyAndLeftUpLight</key> <string>boxD_ownH_eavyA_ndL_eftU_pL_ight.glif</string> <key>boxDownHeavyAndLeftUpLight.stypo</key> <string>boxD_ownH_eavyA_ndL_eftU_pL_ight.stypo.glif</string> <key>boxDownHeavyAndRightLight</key> <string>boxD_ownH_eavyA_ndR_ightL_ight.glif</string> <key>boxDownHeavyAndRightLight.stypo</key> <string>boxD_ownH_eavyA_ndR_ightL_ight.stypo.glif</string> <key>boxDownHeavyAndRightUpLight</key> <string>boxD_ownH_eavyA_ndR_ightU_pL_ight.glif</string> <key>boxDownHeavyAndRightUpLight.stypo</key> <string>boxD_ownH_eavyA_ndR_ightU_pL_ight.stypo.glif</string> <key>boxDownHeavyAndUpHorizontalLight</key> <string>boxD_ownH_eavyA_ndU_pH_orizontalL_ight.glif</string> <key>boxDownHeavyAndUpHorizontalLight.stypo</key> <string>boxD_ownH_eavyA_ndU_pH_orizontalL_ight.stypo.glif</string> <key>boxDownLightAndHorizontalHeavy</key> <string>boxD_ownL_ightA_ndH_orizontalH_eavy.glif</string> <key>boxDownLightAndHorizontalHeavy.stypo</key> <string>boxD_ownL_ightA_ndH_orizontalH_eavy.stypo.glif</string> <key>boxDownLightAndLeftHeavy</key> <string>boxD_ownL_ightA_ndL_eftH_eavy.glif</string> <key>boxDownLightAndLeftHeavy.stypo</key> <string>boxD_ownL_ightA_ndL_eftH_eavy.stypo.glif</string> <key>boxDownLightAndLeftUpHeavy</key> <string>boxD_ownL_ightA_ndL_eftU_pH_eavy.glif</string> <key>boxDownLightAndLeftUpHeavy.stypo</key> <string>boxD_ownL_ightA_ndL_eftU_pH_eavy.stypo.glif</string> <key>boxDownLightAndRightHeavy</key> <string>boxD_ownL_ightA_ndR_ightH_eavy.glif</string> <key>boxDownLightAndRightHeavy.stypo</key> <string>boxD_ownL_ightA_ndR_ightH_eavy.stypo.glif</string> <key>boxDownLightAndRightUpHeavy</key> <string>boxD_ownL_ightA_ndR_ightU_pH_eavy.glif</string> <key>boxDownLightAndRightUpHeavy.stypo</key> <string>boxD_ownL_ightA_ndR_ightU_pH_eavy.stypo.glif</string> <key>boxDownLightAndUpHorizontalHeavy</key> <string>boxD_ownL_ightA_ndU_pH_orizontalH_eavy.glif</string> <key>boxDownLightAndUpHorizontalHeavy.stypo</key> <string>boxD_ownL_ightA_ndU_pH_orizontalH_eavy.stypo.glif</string> <key>boxDownSingleAndHorizontalDouble</key> <string>boxD_ownS_ingleA_ndH_orizontalD_ouble.glif</string> <key>boxDownSingleAndHorizontalDouble.stypo</key> <string>boxD_ownS_ingleA_ndH_orizontalD_ouble.stypo.glif</string> <key>boxDownSingleAndLeftDouble</key> <string>boxD_ownS_ingleA_ndL_eftD_ouble.glif</string> <key>boxDownSingleAndLeftDouble.stypo</key> <string>boxD_ownS_ingleA_ndL_eftD_ouble.stypo.glif</string> <key>boxDownSingleAndRightDouble</key> <string>boxD_ownS_ingleA_ndR_ightD_ouble.glif</string> <key>boxDownSingleAndRightDouble.stypo</key> <string>boxD_ownS_ingleA_ndR_ightD_ouble.stypo.glif</string> <key>boxHeavyDoubleDashHorizontal</key> <string>boxH_eavyD_oubleD_ashH_orizontal.glif</string> <key>boxHeavyDoubleDashHorizontal.stypo</key> <string>boxH_eavyD_oubleD_ashH_orizontal.stypo.glif</string> <key>boxHeavyDoubleDashVertical</key> <string>boxH_eavyD_oubleD_ashV_ertical.glif</string> <key>boxHeavyDoubleDashVertical.stypo</key> <string>boxH_eavyD_oubleD_ashV_ertical.stypo.glif</string> <key>boxHeavyDown</key> <string>boxH_eavyD_own.glif</string> <key>boxHeavyDown.stypo</key> <string>boxH_eavyD_own.stypo.glif</string> <key>boxHeavyDownAndHorizontal</key> <string>boxH_eavyD_ownA_ndH_orizontal.glif</string> <key>boxHeavyDownAndHorizontal.stypo</key> <string>boxH_eavyD_ownA_ndH_orizontal.stypo.glif</string> <key>boxHeavyDownAndLeft</key> <string>boxH_eavyD_ownA_ndL_eft.glif</string> <key>boxHeavyDownAndLeft.stypo</key> <string>boxH_eavyD_ownA_ndL_eft.stypo.glif</string> <key>boxHeavyDownAndRight</key> <string>boxH_eavyD_ownA_ndR_ight.glif</string> <key>boxHeavyDownAndRight.stypo</key> <string>boxH_eavyD_ownA_ndR_ight.stypo.glif</string> <key>boxHeavyHorizontal</key> <string>boxH_eavyH_orizontal.glif</string> <key>boxHeavyHorizontal.stypo</key> <string>boxH_eavyH_orizontal.stypo.glif</string> <key>boxHeavyLeft</key> <string>boxH_eavyL_eft.glif</string> <key>boxHeavyLeft.stypo</key> <string>boxH_eavyL_eft.stypo.glif</string> <key>boxHeavyLeftAndLightRight</key> <string>boxH_eavyL_eftA_ndL_ightR_ight.glif</string> <key>boxHeavyLeftAndLightRight.stypo</key> <string>boxH_eavyL_eftA_ndL_ightR_ight.stypo.glif</string> <key>boxHeavyQuadrupleDashHorizontal</key> <string>boxH_eavyQ_uadrupleD_ashH_orizontal.glif</string> <key>boxHeavyQuadrupleDashHorizontal.stypo</key> <string>boxH_eavyQ_uadrupleD_ashH_orizontal.stypo.glif</string> <key>boxHeavyQuadrupleDashVertical</key> <string>boxH_eavyQ_uadrupleD_ashV_ertical.glif</string> <key>boxHeavyQuadrupleDashVertical.stypo</key> <string>boxH_eavyQ_uadrupleD_ashV_ertical.stypo.glif</string> <key>boxHeavyRight</key> <string>boxH_eavyR_ight.glif</string> <key>boxHeavyRight.stypo</key> <string>boxH_eavyR_ight.stypo.glif</string> <key>boxHeavyTripleDashHorizontal</key> <string>boxH_eavyT_ripleD_ashH_orizontal.glif</string> <key>boxHeavyTripleDashHorizontal.stypo</key> <string>boxH_eavyT_ripleD_ashH_orizontal.stypo.glif</string> <key>boxHeavyTripleDashVertical</key> <string>boxH_eavyT_ripleD_ashV_ertical.glif</string> <key>boxHeavyTripleDashVertical.stypo</key> <string>boxH_eavyT_ripleD_ashV_ertical.stypo.glif</string> <key>boxHeavyUp</key> <string>boxH_eavyU_p.glif</string> <key>boxHeavyUp.stypo</key> <string>boxH_eavyU_p.stypo.glif</string> <key>boxHeavyUpAndHorizontal</key> <string>boxH_eavyU_pA_ndH_orizontal.glif</string> <key>boxHeavyUpAndHorizontal.stypo</key> <string>boxH_eavyU_pA_ndH_orizontal.stypo.glif</string> <key>boxHeavyUpAndLeft</key> <string>boxH_eavyU_pA_ndL_eft.glif</string> <key>boxHeavyUpAndLeft.stypo</key> <string>boxH_eavyU_pA_ndL_eft.stypo.glif</string> <key>boxHeavyUpAndLightDown</key> <string>boxH_eavyU_pA_ndL_ightD_own.glif</string> <key>boxHeavyUpAndLightDown.stypo</key> <string>boxH_eavyU_pA_ndL_ightD_own.stypo.glif</string> <key>boxHeavyUpAndRight</key> <string>boxH_eavyU_pA_ndR_ight.glif</string> <key>boxHeavyUpAndRight.stypo</key> <string>boxH_eavyU_pA_ndR_ight.stypo.glif</string> <key>boxHeavyVertical</key> <string>boxH_eavyV_ertical.glif</string> <key>boxHeavyVertical.stypo</key> <string>boxH_eavyV_ertical.stypo.glif</string> <key>boxHeavyVerticalAndHorizontal</key> <string>boxH_eavyV_erticalA_ndH_orizontal.glif</string> <key>boxHeavyVerticalAndHorizontal.stypo</key> <string>boxH_eavyV_erticalA_ndH_orizontal.stypo.glif</string> <key>boxHeavyVerticalAndLeft</key> <string>boxH_eavyV_erticalA_ndL_eft.glif</string> <key>boxHeavyVerticalAndLeft.stypo</key> <string>boxH_eavyV_erticalA_ndL_eft.stypo.glif</string> <key>boxHeavyVerticalAndRight</key> <string>boxH_eavyV_erticalA_ndR_ight.glif</string> <key>boxHeavyVerticalAndRight.stypo</key> <string>boxH_eavyV_erticalA_ndR_ight.stypo.glif</string> <key>boxLeftDownHeavyAndRightUpLight</key> <string>boxL_eftD_ownH_eavyA_ndR_ightU_pL_ight.glif</string> <key>boxLeftDownHeavyAndRightUpLight.stypo</key> <string>boxL_eftD_ownH_eavyA_ndR_ightU_pL_ight.stypo.glif</string> <key>boxLeftHeavyAndRightDownLight</key> <string>boxL_eftH_eavyA_ndR_ightD_ownL_ight.glif</string> <key>boxLeftHeavyAndRightDownLight.stypo</key> <string>boxL_eftH_eavyA_ndR_ightD_ownL_ight.stypo.glif</string> <key>boxLeftHeavyAndRightUpLight</key> <string>boxL_eftH_eavyA_ndR_ightU_pL_ight.glif</string> <key>boxLeftHeavyAndRightUpLight.stypo</key> <string>boxL_eftH_eavyA_ndR_ightU_pL_ight.stypo.glif</string> <key>boxLeftHeavyAndRightVerticalLight</key> <string>boxL_eftH_eavyA_ndR_ightV_erticalL_ight.glif</string> <key>boxLeftHeavyAndRightVerticalLight.stypo</key> <string>boxL_eftH_eavyA_ndR_ightV_erticalL_ight.stypo.glif</string> <key>boxLeftLightAndRightDownHeavy</key> <string>boxL_eftL_ightA_ndR_ightD_ownH_eavy.glif</string> <key>boxLeftLightAndRightDownHeavy.stypo</key> <string>boxL_eftL_ightA_ndR_ightD_ownH_eavy.stypo.glif</string> <key>boxLeftLightAndRightUpHeavy</key> <string>boxL_eftL_ightA_ndR_ightU_pH_eavy.glif</string> <key>boxLeftLightAndRightUpHeavy.stypo</key> <string>boxL_eftL_ightA_ndR_ightU_pH_eavy.stypo.glif</string> <key>boxLeftLightAndRightVerticalHeavy</key> <string>boxL_eftL_ightA_ndR_ightV_erticalH_eavy.glif</string> <key>boxLeftLightAndRightVerticalHeavy.stypo</key> <string>boxL_eftL_ightA_ndR_ightV_erticalH_eavy.stypo.glif</string> <key>boxLeftUpHeavyAndRightDownLight</key> <string>boxL_eftU_pH_eavyA_ndR_ightD_ownL_ight.glif</string> <key>boxLeftUpHeavyAndRightDownLight.stypo</key> <string>boxL_eftU_pH_eavyA_ndR_ightD_ownL_ight.stypo.glif</string> <key>boxLightArcDownAndLeft</key> <string>boxL_ightA_rcD_ownA_ndL_eft.glif</string> <key>boxLightArcDownAndLeft.stypo</key> <string>boxL_ightA_rcD_ownA_ndL_eft.stypo.glif</string> <key>boxLightArcDownAndRight</key> <string>boxL_ightA_rcD_ownA_ndR_ight.glif</string> <key>boxLightArcDownAndRight.stypo</key> <string>boxL_ightA_rcD_ownA_ndR_ight.stypo.glif</string> <key>boxLightArcUpAndLeft</key> <string>boxL_ightA_rcU_pA_ndL_eft.glif</string> <key>boxLightArcUpAndLeft.stypo</key> <string>boxL_ightA_rcU_pA_ndL_eft.stypo.glif</string> <key>boxLightArcUpAndRight</key> <string>boxL_ightA_rcU_pA_ndR_ight.glif</string> <key>boxLightArcUpAndRight.stypo</key> <string>boxL_ightA_rcU_pA_ndR_ight.stypo.glif</string> <key>boxLightDiagonalCross</key> <string>boxL_ightD_iagonalC_ross.glif</string> <key>boxLightDiagonalCross.stypo</key> <string>boxL_ightD_iagonalC_ross.stypo.glif</string> <key>boxLightDiagonalUpperLeftToLowerRight</key> <string>boxL_ightD_iagonalU_pperL_eftT_oL_owerR_ight.glif</string> <key>boxLightDiagonalUpperLeftToLowerRight.stypo</key> <string>boxL_ightD_iagonalU_pperL_eftT_oL_owerR_ight.stypo.glif</string> <key>boxLightDiagonalUpperRightToLowerLeft</key> <string>boxL_ightD_iagonalU_pperR_ightT_oL_owerL_eft.glif</string> <key>boxLightDiagonalUpperRightToLowerLeft.stypo</key> <string>boxL_ightD_iagonalU_pperR_ightT_oL_owerL_eft.stypo.glif</string> <key>boxLightDoubleDashHorizontal</key> <string>boxL_ightD_oubleD_ashH_orizontal.glif</string> <key>boxLightDoubleDashHorizontal.stypo</key> <string>boxL_ightD_oubleD_ashH_orizontal.stypo.glif</string> <key>boxLightDoubleDashVertical</key> <string>boxL_ightD_oubleD_ashV_ertical.glif</string> <key>boxLightDoubleDashVertical.stypo</key> <string>boxL_ightD_oubleD_ashV_ertical.stypo.glif</string> <key>boxLightDown</key> <string>boxL_ightD_own.glif</string> <key>boxLightDown.stypo</key> <string>boxL_ightD_own.stypo.glif</string> <key>boxLightDownAndHorizontal</key> <string>boxL_ightD_ownA_ndH_orizontal.glif</string> <key>boxLightDownAndHorizontal.stypo</key> <string>boxL_ightD_ownA_ndH_orizontal.stypo.glif</string> <key>boxLightDownAndLeft</key> <string>boxL_ightD_ownA_ndL_eft.glif</string> <key>boxLightDownAndLeft.stypo</key> <string>boxL_ightD_ownA_ndL_eft.stypo.glif</string> <key>boxLightDownAndRight</key> <string>boxL_ightD_ownA_ndR_ight.glif</string> <key>boxLightDownAndRight.stypo</key> <string>boxL_ightD_ownA_ndR_ight.stypo.glif</string> <key>boxLightHorizontal</key> <string>boxL_ightH_orizontal.glif</string> <key>boxLightHorizontal.stypo</key> <string>boxL_ightH_orizontal.stypo.glif</string> <key>boxLightLeft</key> <string>boxL_ightL_eft.glif</string> <key>boxLightLeft.stypo</key> <string>boxL_ightL_eft.stypo.glif</string> <key>boxLightLeftAndHeavyRight</key> <string>boxL_ightL_eftA_ndH_eavyR_ight.glif</string> <key>boxLightLeftAndHeavyRight.stypo</key> <string>boxL_ightL_eftA_ndH_eavyR_ight.stypo.glif</string> <key>boxLightQuadrupleDashHorizontal</key> <string>boxL_ightQ_uadrupleD_ashH_orizontal.glif</string> <key>boxLightQuadrupleDashHorizontal.stypo</key> <string>boxL_ightQ_uadrupleD_ashH_orizontal.stypo.glif</string> <key>boxLightQuadrupleDashVertical</key> <string>boxL_ightQ_uadrupleD_ashV_ertical.glif</string> <key>boxLightQuadrupleDashVertical.stypo</key> <string>boxL_ightQ_uadrupleD_ashV_ertical.stypo.glif</string> <key>boxLightRight</key> <string>boxL_ightR_ight.glif</string> <key>boxLightRight.stypo</key> <string>boxL_ightR_ight.stypo.glif</string> <key>boxLightTripleDashHorizontal</key> <string>boxL_ightT_ripleD_ashH_orizontal.glif</string> <key>boxLightTripleDashHorizontal.stypo</key> <string>boxL_ightT_ripleD_ashH_orizontal.stypo.glif</string> <key>boxLightTripleDashVertical</key> <string>boxL_ightT_ripleD_ashV_ertical.glif</string> <key>boxLightTripleDashVertical.stypo</key> <string>boxL_ightT_ripleD_ashV_ertical.stypo.glif</string> <key>boxLightUp</key> <string>boxL_ightU_p.glif</string> <key>boxLightUp.stypo</key> <string>boxL_ightU_p.stypo.glif</string> <key>boxLightUpAndHeavyDown</key> <string>boxL_ightU_pA_ndH_eavyD_own.glif</string> <key>boxLightUpAndHeavyDown.stypo</key> <string>boxL_ightU_pA_ndH_eavyD_own.stypo.glif</string> <key>boxLightUpAndHorizontal</key> <string>boxL_ightU_pA_ndH_orizontal.glif</string> <key>boxLightUpAndHorizontal.stypo</key> <string>boxL_ightU_pA_ndH_orizontal.stypo.glif</string> <key>boxLightUpAndLeft</key> <string>boxL_ightU_pA_ndL_eft.glif</string> <key>boxLightUpAndLeft.stypo</key> <string>boxL_ightU_pA_ndL_eft.stypo.glif</string> <key>boxLightUpAndRight</key> <string>boxL_ightU_pA_ndR_ight.glif</string> <key>boxLightUpAndRight.stypo</key> <string>boxL_ightU_pA_ndR_ight.stypo.glif</string> <key>boxLightVertical</key> <string>boxL_ightV_ertical.glif</string> <key>boxLightVertical.stypo</key> <string>boxL_ightV_ertical.stypo.glif</string> <key>boxLightVerticalAndHorizontal</key> <string>boxL_ightV_erticalA_ndH_orizontal.glif</string> <key>boxLightVerticalAndHorizontal.stypo</key> <string>boxL_ightV_erticalA_ndH_orizontal.stypo.glif</string> <key>boxLightVerticalAndLeft</key> <string>boxL_ightV_erticalA_ndL_eft.glif</string> <key>boxLightVerticalAndLeft.stypo</key> <string>boxL_ightV_erticalA_ndL_eft.stypo.glif</string> <key>boxLightVerticalAndRight</key> <string>boxL_ightV_erticalA_ndR_ight.glif</string> <key>boxLightVerticalAndRight.stypo</key> <string>boxL_ightV_erticalA_ndR_ight.stypo.glif</string> <key>boxRightDownHeavyAndLeftUpLight</key> <string>boxR_ightD_ownH_eavyA_ndL_eftU_pL_ight.glif</string> <key>boxRightDownHeavyAndLeftUpLight.stypo</key> <string>boxR_ightD_ownH_eavyA_ndL_eftU_pL_ight.stypo.glif</string> <key>boxRightHeavyAndLeftDownLight</key> <string>boxR_ightH_eavyA_ndL_eftD_ownL_ight.glif</string> <key>boxRightHeavyAndLeftDownLight.stypo</key> <string>boxR_ightH_eavyA_ndL_eftD_ownL_ight.stypo.glif</string> <key>boxRightHeavyAndLeftUpLight</key> <string>boxR_ightH_eavyA_ndL_eftU_pL_ight.glif</string> <key>boxRightHeavyAndLeftUpLight.stypo</key> <string>boxR_ightH_eavyA_ndL_eftU_pL_ight.stypo.glif</string> <key>boxRightHeavyAndLeftVerticalLight</key> <string>boxR_ightH_eavyA_ndL_eftV_erticalL_ight.glif</string> <key>boxRightHeavyAndLeftVerticalLight.stypo</key> <string>boxR_ightH_eavyA_ndL_eftV_erticalL_ight.stypo.glif</string> <key>boxRightLightAndLeftDownHeavy</key> <string>boxR_ightL_ightA_ndL_eftD_ownH_eavy.glif</string> <key>boxRightLightAndLeftDownHeavy.stypo</key> <string>boxR_ightL_ightA_ndL_eftD_ownH_eavy.stypo.glif</string> <key>boxRightLightAndLeftUpHeavy</key> <string>boxR_ightL_ightA_ndL_eftU_pH_eavy.glif</string> <key>boxRightLightAndLeftUpHeavy.stypo</key> <string>boxR_ightL_ightA_ndL_eftU_pH_eavy.stypo.glif</string> <key>boxRightLightAndLeftVerticalHeavy</key> <string>boxR_ightL_ightA_ndL_eftV_erticalH_eavy.glif</string> <key>boxRightLightAndLeftVerticalHeavy.stypo</key> <string>boxR_ightL_ightA_ndL_eftV_erticalH_eavy.stypo.glif</string> <key>boxRightUpHeavyAndLeftDownLight</key> <string>boxR_ightU_pH_eavyA_ndL_eftD_ownL_ight.glif</string> <key>boxRightUpHeavyAndLeftDownLight.stypo</key> <string>boxR_ightU_pH_eavyA_ndL_eftD_ownL_ight.stypo.glif</string> <key>boxUpDoubleAndHorizontalSingle</key> <string>boxU_pD_oubleA_ndH_orizontalS_ingle.glif</string> <key>boxUpDoubleAndHorizontalSingle.stypo</key> <string>boxU_pD_oubleA_ndH_orizontalS_ingle.stypo.glif</string> <key>boxUpDoubleAndLeftSingle</key> <string>boxU_pD_oubleA_ndL_eftS_ingle.glif</string> <key>boxUpDoubleAndLeftSingle.stypo</key> <string>boxU_pD_oubleA_ndL_eftS_ingle.stypo.glif</string> <key>boxUpDoubleAndRightSingle</key> <string>boxU_pD_oubleA_ndR_ightS_ingle.glif</string> <key>boxUpDoubleAndRightSingle.stypo</key> <string>boxU_pD_oubleA_ndR_ightS_ingle.stypo.glif</string> <key>boxUpHeavyAndDownHorizontalLight</key> <string>boxU_pH_eavyA_ndD_ownH_orizontalL_ight.glif</string> <key>boxUpHeavyAndDownHorizontalLight.stypo</key> <string>boxU_pH_eavyA_ndD_ownH_orizontalL_ight.stypo.glif</string> <key>boxUpHeavyAndHorizontalLight</key> <string>boxU_pH_eavyA_ndH_orizontalL_ight.glif</string> <key>boxUpHeavyAndHorizontalLight.stypo</key> <string>boxU_pH_eavyA_ndH_orizontalL_ight.stypo.glif</string> <key>boxUpHeavyAndLeftDownLight</key> <string>boxU_pH_eavyA_ndL_eftD_ownL_ight.glif</string> <key>boxUpHeavyAndLeftDownLight.stypo</key> <string>boxU_pH_eavyA_ndL_eftD_ownL_ight.stypo.glif</string> <key>boxUpHeavyAndLeftLight</key> <string>boxU_pH_eavyA_ndL_eftL_ight.glif</string> <key>boxUpHeavyAndLeftLight.stypo</key> <string>boxU_pH_eavyA_ndL_eftL_ight.stypo.glif</string> <key>boxUpHeavyAndRightDownLight</key> <string>boxU_pH_eavyA_ndR_ightD_ownL_ight.glif</string> <key>boxUpHeavyAndRightDownLight.stypo</key> <string>boxU_pH_eavyA_ndR_ightD_ownL_ight.stypo.glif</string> <key>boxUpHeavyAndRightLight</key> <string>boxU_pH_eavyA_ndR_ightL_ight.glif</string> <key>boxUpHeavyAndRightLight.stypo</key> <string>boxU_pH_eavyA_ndR_ightL_ight.stypo.glif</string> <key>boxUpLightAndDownHorizontalHeavy</key> <string>boxU_pL_ightA_ndD_ownH_orizontalH_eavy.glif</string> <key>boxUpLightAndDownHorizontalHeavy.stypo</key> <string>boxU_pL_ightA_ndD_ownH_orizontalH_eavy.stypo.glif</string> <key>boxUpLightAndHorizontalHeavy</key> <string>boxU_pL_ightA_ndH_orizontalH_eavy.glif</string> <key>boxUpLightAndHorizontalHeavy.stypo</key> <string>boxU_pL_ightA_ndH_orizontalH_eavy.stypo.glif</string> <key>boxUpLightAndLeftDownHeavy</key> <string>boxU_pL_ightA_ndL_eftD_ownH_eavy.glif</string> <key>boxUpLightAndLeftDownHeavy.stypo</key> <string>boxU_pL_ightA_ndL_eftD_ownH_eavy.stypo.glif</string> <key>boxUpLightAndLeftHeavy</key> <string>boxU_pL_ightA_ndL_eftH_eavy.glif</string> <key>boxUpLightAndLeftHeavy.stypo</key> <string>boxU_pL_ightA_ndL_eftH_eavy.stypo.glif</string> <key>boxUpLightAndRightDownHeavy</key> <string>boxU_pL_ightA_ndR_ightD_ownH_eavy.glif</string> <key>boxUpLightAndRightDownHeavy.stypo</key> <string>boxU_pL_ightA_ndR_ightD_ownH_eavy.stypo.glif</string> <key>boxUpLightAndRightHeavy</key> <string>boxU_pL_ightA_ndR_ightH_eavy.glif</string> <key>boxUpLightAndRightHeavy.stypo</key> <string>boxU_pL_ightA_ndR_ightH_eavy.stypo.glif</string> <key>boxUpSingleAndHorizontalDouble</key> <string>boxU_pS_ingleA_ndH_orizontalD_ouble.glif</string> <key>boxUpSingleAndHorizontalDouble.stypo</key> <string>boxU_pS_ingleA_ndH_orizontalD_ouble.stypo.glif</string> <key>boxUpSingleAndLeftDouble</key> <string>boxU_pS_ingleA_ndL_eftD_ouble.glif</string> <key>boxUpSingleAndLeftDouble.stypo</key> <string>boxU_pS_ingleA_ndL_eftD_ouble.stypo.glif</string> <key>boxUpSingleAndRightDouble</key> <string>boxU_pS_ingleA_ndR_ightD_ouble.glif</string> <key>boxUpSingleAndRightDouble.stypo</key> <string>boxU_pS_ingleA_ndR_ightD_ouble.stypo.glif</string> <key>boxVerticalDoubleAndHorizontalSingle</key> <string>boxV_erticalD_oubleA_ndH_orizontalS_ingle.glif</string> <key>boxVerticalDoubleAndHorizontalSingle.stypo</key> <string>boxV_erticalD_oubleA_ndH_orizontalS_ingle.stypo.glif</string> <key>boxVerticalDoubleAndLeftSingle</key> <string>boxV_erticalD_oubleA_ndL_eftS_ingle.glif</string> <key>boxVerticalDoubleAndLeftSingle.stypo</key> <string>boxV_erticalD_oubleA_ndL_eftS_ingle.stypo.glif</string> <key>boxVerticalDoubleAndRightSingle</key> <string>boxV_erticalD_oubleA_ndR_ightS_ingle.glif</string> <key>boxVerticalDoubleAndRightSingle.stypo</key> <string>boxV_erticalD_oubleA_ndR_ightS_ingle.stypo.glif</string> <key>boxVerticalHeavyAndHorizontalLight</key> <string>boxV_erticalH_eavyA_ndH_orizontalL_ight.glif</string> <key>boxVerticalHeavyAndHorizontalLight.stypo</key> <string>boxV_erticalH_eavyA_ndH_orizontalL_ight.stypo.glif</string> <key>boxVerticalHeavyAndLeftLight</key> <string>boxV_erticalH_eavyA_ndL_eftL_ight.glif</string> <key>boxVerticalHeavyAndLeftLight.stypo</key> <string>boxV_erticalH_eavyA_ndL_eftL_ight.stypo.glif</string> <key>boxVerticalHeavyAndRightLight</key> <string>boxV_erticalH_eavyA_ndR_ightL_ight.glif</string> <key>boxVerticalHeavyAndRightLight.stypo</key> <string>boxV_erticalH_eavyA_ndR_ightL_ight.stypo.glif</string> <key>boxVerticalLightAndHorizontalHeavy</key> <string>boxV_erticalL_ightA_ndH_orizontalH_eavy.glif</string> <key>boxVerticalLightAndHorizontalHeavy.stypo</key> <string>boxV_erticalL_ightA_ndH_orizontalH_eavy.stypo.glif</string> <key>boxVerticalLightAndLeftHeavy</key> <string>boxV_erticalL_ightA_ndL_eftH_eavy.glif</string> <key>boxVerticalLightAndLeftHeavy.stypo</key> <string>boxV_erticalL_ightA_ndL_eftH_eavy.stypo.glif</string> <key>boxVerticalLightAndRightHeavy</key> <string>boxV_erticalL_ightA_ndR_ightH_eavy.glif</string> <key>boxVerticalLightAndRightHeavy.stypo</key> <string>boxV_erticalL_ightA_ndR_ightH_eavy.stypo.glif</string> <key>boxVerticalSingleAndHorizontalDouble</key> <string>boxV_erticalS_ingleA_ndH_orizontalD_ouble.glif</string> <key>boxVerticalSingleAndHorizontalDouble.stypo</key> <string>boxV_erticalS_ingleA_ndH_orizontalD_ouble.stypo.glif</string> <key>boxVerticalSingleAndLeftDouble</key> <string>boxV_erticalS_ingleA_ndL_eftD_ouble.glif</string> <key>boxVerticalSingleAndLeftDouble.stypo</key> <string>boxV_erticalS_ingleA_ndL_eftD_ouble.stypo.glif</string> <key>boxVerticalSingleAndRightDouble</key> <string>boxV_erticalS_ingleA_ndR_ightD_ouble.glif</string> <key>boxVerticalSingleAndRightDouble.stypo</key> <string>boxV_erticalS_ingleA_ndR_ightD_ouble.stypo.glif</string> <key>braceleft</key> <string>braceleft.glif</string> <key>braceleft_bar.liga</key> <string>braceleft_bar.liga.glif</string> <key>braceright</key> <string>braceright.glif</string> <key>braceright_numbersign.liga</key> <string>braceright_numbersign.liga.glif</string> <key>bracketleft</key> <string>bracketleft.glif</string> <key>bracketleft_bar.liga</key> <string>bracketleft_bar.liga.glif</string> <key>bracketright</key> <string>bracketright.glif</string> <key>bracketright_numbersign.liga</key> <string>bracketright_numbersign.liga.glif</string> <key>breve</key> <string>breve.glif</string> <key>brevecomb</key> <string>brevecomb.glif</string> <key>brevecomb-cy</key> <string>brevecomb-cy.glif</string> <key>brevecomb-cy.case</key> <string>brevecomb-cy.case.glif</string> <key>brevecomb.case</key> <string>brevecomb.case.glif</string> <key>brokenbar</key> <string>brokenbar.glif</string> <key>bullet</key> <string>bullet.glif</string> <key>bulletoperator</key> <string>bulletoperator.glif</string> <key>bullseye</key> <string>bullseye.glif</string> <key>c</key> <string>c.glif</string> <key>cacute</key> <string>cacute.glif</string> <key>cacute.loclPLK</key> <string>cacute.loclP_L_K_.glif</string> <key>cancelControl</key> <string>cancelC_ontrol.glif</string> <key>cancelControl.ss20</key> <string>cancelC_ontrol.ss20.glif</string> <key>careof</key> <string>careof.glif</string> <key>caron</key> <string>caron.glif</string> <key>caroncomb</key> <string>caroncomb.glif</string> <key>caroncomb.case</key> <string>caroncomb.case.glif</string> <key>carriageReturnControl</key> <string>carriageR_eturnC_ontrol.glif</string> <key>carriageReturnControl.ss20</key> <string>carriageR_eturnC_ontrol.ss20.glif</string> <key>ccaron</key> <string>ccaron.glif</string> <key>ccedilla</key> <string>ccedilla.glif</string> <key>ccircumflex</key> <string>ccircumflex.glif</string> <key>cdotaccent</key> <string>cdotaccent.glif</string> <key>cedi</key> <string>cedi.glif</string> <key>cedilla</key> <string>cedilla.glif</string> <key>cedillacomb</key> <string>cedillacomb.glif</string> <key>cent</key> <string>cent.glif</string> <key>che-cy</key> <string>che-cy.glif</string> <key>checkmark</key> <string>checkmark.glif</string> <key>chedescender-cy</key> <string>chedescender-cy.glif</string> <key>chi</key> <string>chi.glif</string> <key>circumflex</key> <string>circumflex.glif</string> <key>circumflexcomb</key> <string>circumflexcomb.glif</string> <key>circumflexcomb.case</key> <string>circumflexcomb.case.glif</string> <key>clubBlackSuit</key> <string>clubB_lackS_uit.glif</string> <key>colon</key> <string>colon.glif</string> <key>colon.center</key> <string>colon.center.glif</string> <key>colon_colon.liga</key> <string>colon_colon.liga.glif</string> <key>colon_colon_colon.liga</key> <string>colon_colon_colon.liga.glif</string> <key>colon_colon_equal.liga</key> <string>colon_colon_equal.liga.glif</string> <key>colon_equal.liga</key> <string>colon_equal.liga.glif</string> <key>colon_equal_middle.seq</key> <string>colon_equal_middle.seq.glif</string> <key>colon_slash_slash.liga</key> <string>colon_slash_slash.liga.glif</string> <key>colonsign</key> <string>colonsign.glif</string> <key>colontriangularmod</key> <string>colontriangularmod.glif</string> <key>comma</key> <string>comma.glif</string> <key>comma-ar</key> <string>comma-ar.glif</string> <key>commaabovecomb</key> <string>commaabovecomb.glif</string> <key>commaaboverightcomb</key> <string>commaaboverightcomb.glif</string> <key>commaaccentcomb</key> <string>commaaccentcomb.glif</string> <key>commaturnedabovecomb</key> <string>commaturnedabovecomb.glif</string> <key>commaturnedmod</key> <string>commaturnedmod.glif</string> <key>copyright</key> <string>copyright.glif</string> <key>crosshatchFillSquare</key> <string>crosshatchF_illS_quare.glif</string> <key>cuberoot-ar</key> <string>cuberoot-ar.glif</string> <key>currency</key> <string>currency.glif</string> <key>d</key> <string>d.glif</string> <key>dad-ar</key> <string>dad-ar.glif</string> <key>dad-ar.alt</key> <string>dad-ar.alt.glif</string> <key>dad-ar.fina</key> <string>dad-ar.fina.glif</string> <key>dad-ar.fina.alt</key> <string>dad-ar.fina.alt.glif</string> <key>dad-ar.init</key> <string>dad-ar.init.glif</string> <key>dad-ar.medi</key> <string>dad-ar.medi.glif</string> <key>dadDotbelow-ar</key> <string>dadD_otbelow-ar.glif</string> <key>dadDotbelow-ar.alt</key> <string>dadD_otbelow-ar.alt.glif</string> <key>dadDotbelow-ar.fina</key> <string>dadD_otbelow-ar.fina.glif</string> <key>dadDotbelow-ar.fina.alt</key> <string>dadD_otbelow-ar.fina.alt.glif</string> <key>dadDotbelow-ar.init</key> <string>dadD_otbelow-ar.init.glif</string> <key>dadDotbelow-ar.medi</key> <string>dadD_otbelow-ar.medi.glif</string> <key>dagesh-hb</key> <string>dagesh-hb.glif</string> <key>dagger</key> <string>dagger.glif</string> <key>daggerdbl</key> <string>daggerdbl.glif</string> <key>dahal-ar</key> <string>dahal-ar.glif</string> <key>dahal-ar.fina</key> <string>dahal-ar.fina.glif</string> <key>dal-ar</key> <string>dal-ar.glif</string> <key>dal-ar.fina</key> <string>dal-ar.fina.glif</string> <key>dalDotbelow-ar</key> <string>dalD_otbelow-ar.glif</string> <key>dalDotbelow-ar.fina</key> <string>dalD_otbelow-ar.fina.glif</string> <key>dalDotbelowTah-ar</key> <string>dalD_otbelowT_ah-ar.glif</string> <key>dalDotbelowTah-ar.fina</key> <string>dalD_otbelowT_ah-ar.fina.glif</string> <key>dalFourdots-ar</key> <string>dalF_ourdots-ar.glif</string> <key>dalFourdots-ar.fina</key> <string>dalF_ourdots-ar.fina.glif</string> <key>dalRing-ar</key> <string>dalR_ing-ar.glif</string> <key>dalRing-ar.fina</key> <string>dalR_ing-ar.fina.glif</string> <key>dalThreedotsbelow-ar</key> <string>dalT_hreedotsbelow-ar.glif</string> <key>dalThreedotsbelow-ar.fina</key> <string>dalT_hreedotsbelow-ar.fina.glif</string> <key>dalThreedotsdown-ar</key> <string>dalT_hreedotsdown-ar.glif</string> <key>dalThreedotsdown-ar.fina</key> <string>dalT_hreedotsdown-ar.fina.glif</string> <key>dalTwodotsverticalbelowTahabove-ar</key> <string>dalT_wodotsverticalbelowT_ahabove-ar.glif</string> <key>dalTwodotsverticalbelowTahabove-ar.fina</key> <string>dalT_wodotsverticalbelowT_ahabove-ar.fina.glif</string> <key>dalVinvertedabove-ar</key> <string>dalV_invertedabove-ar.glif</string> <key>dalVinvertedabove-ar.fina</key> <string>dalV_invertedabove-ar.fina.glif</string> <key>dalVinvertedbelow-ar</key> <string>dalV_invertedbelow-ar.glif</string> <key>dalVinvertedbelow-ar.fina</key> <string>dalV_invertedbelow-ar.fina.glif</string> <key>dalet-hb</key> <string>dalet-hb.glif</string> <key>daletdagesh-hb</key> <string>daletdagesh-hb.glif</string> <key>damma-ar</key> <string>damma-ar.glif</string> <key>dammatan-ar</key> <string>dammatan-ar.glif</string> <key>dashdownArrow</key> <string>dashdownA_rrow.glif</string> <key>dataLinkEscapeControl</key> <string>dataL_inkE_scapeC_ontrol.glif</string> <key>dataLinkEscapeControl.ss20</key> <string>dataL_inkE_scapeC_ontrol.ss20.glif</string> <key>dateseparator-ar</key> <string>dateseparator-ar.glif</string> <key>dcaron</key> <string>dcaron.glif</string> <key>dcaron.alt</key> <string>dcaron.alt.glif</string> <key>dcroat</key> <string>dcroat.glif</string> <key>ddahal-ar</key> <string>ddahal-ar.glif</string> <key>ddahal-ar.fina</key> <string>ddahal-ar.fina.glif</string> <key>ddal-ar</key> <string>ddal-ar.glif</string> <key>ddal-ar.fina</key> <string>ddal-ar.fina.glif</string> <key>de-cy</key> <string>de-cy.glif</string> <key>de-cy.loclBGR</key> <string>de-cy.loclB_G_R_.glif</string> <key>decimalseparator-ar</key> <string>decimalseparator-ar.glif</string> <key>degree</key> <string>degree.glif</string> <key>deleteControl</key> <string>deleteC_ontrol.glif</string> <key>deleteFormTwoControl</key> <string>deleteF_ormT_woC_ontrol.glif</string> <key>delta</key> <string>delta.glif</string> <key>deviceControlFourControl</key> <string>deviceC_ontrolF_ourC_ontrol.glif</string> <key>deviceControlOneControl</key> <string>deviceC_ontrolO_neC_ontrol.glif</string> <key>deviceControlThreeControl</key> <string>deviceC_ontrolT_hreeC_ontrol.glif</string> <key>deviceControlTwoControl</key> <string>deviceC_ontrolT_woC_ontrol.glif</string> <key>diagonalcrosshatchFillSquare</key> <string>diagonalcrosshatchF_illS_quare.glif</string> <key>diamondBlackSuit</key> <string>diamondB_lackS_uit.glif</string> <key>dieresis</key> <string>dieresis.glif</string> <key>dieresiscomb</key> <string>dieresiscomb.glif</string> <key>dieresiscomb.case</key> <string>dieresiscomb.case.glif</string> <key>dieresistonos</key> <string>dieresistonos.glif</string> <key>divide</key> <string>divide.glif</string> <key>divisionslash</key> <string>divisionslash.glif</string> <key>dje-cy</key> <string>dje-cy.glif</string> <key>dollar</key> <string>dollar.glif</string> <key>dollar.BRACKET.600</key> <string>dollar.B_R_A_C_K_E_T_.600.glif</string> <key>dollar_greater.liga</key> <string>dollar_greater.liga.glif</string> <key>dollar_greater.liga.BRACKET.600</key> <string>dollar_greater.liga.B_R_A_C_K_E_T_.600.glif</string> <key>dong</key> <string>dong.glif</string> <key>dotabove-ar</key> <string>dotabove-ar.glif</string> <key>dotaccent</key> <string>dotaccent.glif</string> <key>dotaccentcomb</key> <string>dotaccentcomb.glif</string> <key>dotaccentcomb.case</key> <string>dotaccentcomb.case.glif</string> <key>dotbelow-ar</key> <string>dotbelow-ar.glif</string> <key>dotbelowcomb</key> <string>dotbelowcomb.glif</string> <key>dotcenter-ar</key> <string>dotcenter-ar.glif</string> <key>dots1-braille</key> <string>dots1-braille.glif</string> <key>dots12-braille</key> <string>dots12-braille.glif</string> <key>dots123-braille</key> <string>dots123-braille.glif</string> <key>dots1234-braille</key> <string>dots1234-braille.glif</string> <key>dots12345-braille</key> <string>dots12345-braille.glif</string> <key>dots123456-braille</key> <string>dots123456-braille.glif</string> <key>dots1234567-braille</key> <string>dots1234567-braille.glif</string> <key>dots12345678-braille</key> <string>dots12345678-braille.glif</string> <key>dots1234568-braille</key> <string>dots1234568-braille.glif</string> <key>dots123457-braille</key> <string>dots123457-braille.glif</string> <key>dots1234578-braille</key> <string>dots1234578-braille.glif</string> <key>dots123458-braille</key> <string>dots123458-braille.glif</string> <key>dots12346-braille</key> <string>dots12346-braille.glif</string> <key>dots123467-braille</key> <string>dots123467-braille.glif</string> <key>dots1234678-braille</key> <string>dots1234678-braille.glif</string> <key>dots123468-braille</key> <string>dots123468-braille.glif</string> <key>dots12347-braille</key> <string>dots12347-braille.glif</string> <key>dots123478-braille</key> <string>dots123478-braille.glif</string> <key>dots12348-braille</key> <string>dots12348-braille.glif</string> <key>dots1235-braille</key> <string>dots1235-braille.glif</string> <key>dots12356-braille</key> <string>dots12356-braille.glif</string> <key>dots123567-braille</key> <string>dots123567-braille.glif</string> <key>dots1235678-braille</key> <string>dots1235678-braille.glif</string> <key>dots123568-braille</key> <string>dots123568-braille.glif</string> <key>dots12357-braille</key> <string>dots12357-braille.glif</string> <key>dots123578-braille</key> <string>dots123578-braille.glif</string> <key>dots12358-braille</key> <string>dots12358-braille.glif</string> <key>dots1236-braille</key> <string>dots1236-braille.glif</string> <key>dots12367-braille</key> <string>dots12367-braille.glif</string> <key>dots123678-braille</key> <string>dots123678-braille.glif</string> <key>dots12368-braille</key> <string>dots12368-braille.glif</string> <key>dots1237-braille</key> <string>dots1237-braille.glif</string> <key>dots12378-braille</key> <string>dots12378-braille.glif</string> <key>dots1238-braille</key> <string>dots1238-braille.glif</string> <key>dots124-braille</key> <string>dots124-braille.glif</string> <key>dots1245-braille</key> <string>dots1245-braille.glif</string> <key>dots12456-braille</key> <string>dots12456-braille.glif</string> <key>dots124567-braille</key> <string>dots124567-braille.glif</string> <key>dots1245678-braille</key> <string>dots1245678-braille.glif</string> <key>dots124568-braille</key> <string>dots124568-braille.glif</string> <key>dots12457-braille</key> <string>dots12457-braille.glif</string> <key>dots124578-braille</key> <string>dots124578-braille.glif</string> <key>dots12458-braille</key> <string>dots12458-braille.glif</string> <key>dots1246-braille</key> <string>dots1246-braille.glif</string> <key>dots12467-braille</key> <string>dots12467-braille.glif</string> <key>dots124678-braille</key> <string>dots124678-braille.glif</string> <key>dots12468-braille</key> <string>dots12468-braille.glif</string> <key>dots1247-braille</key> <string>dots1247-braille.glif</string> <key>dots12478-braille</key> <string>dots12478-braille.glif</string> <key>dots1248-braille</key> <string>dots1248-braille.glif</string> <key>dots125-braille</key> <string>dots125-braille.glif</string> <key>dots1256-braille</key> <string>dots1256-braille.glif</string> <key>dots12567-braille</key> <string>dots12567-braille.glif</string> <key>dots125678-braille</key> <string>dots125678-braille.glif</string> <key>dots12568-braille</key> <string>dots12568-braille.glif</string> <key>dots1257-braille</key> <string>dots1257-braille.glif</string> <key>dots12578-braille</key> <string>dots12578-braille.glif</string> <key>dots1258-braille</key> <string>dots1258-braille.glif</string> <key>dots126-braille</key> <string>dots126-braille.glif</string> <key>dots1267-braille</key> <string>dots1267-braille.glif</string> <key>dots12678-braille</key> <string>dots12678-braille.glif</string> <key>dots1268-braille</key> <string>dots1268-braille.glif</string> <key>dots127-braille</key> <string>dots127-braille.glif</string> <key>dots1278-braille</key> <string>dots1278-braille.glif</string> <key>dots128-braille</key> <string>dots128-braille.glif</string> <key>dots13-braille</key> <string>dots13-braille.glif</string> <key>dots134-braille</key> <string>dots134-braille.glif</string> <key>dots1345-braille</key> <string>dots1345-braille.glif</string> <key>dots13456-braille</key> <string>dots13456-braille.glif</string> <key>dots134567-braille</key> <string>dots134567-braille.glif</string> <key>dots1345678-braille</key> <string>dots1345678-braille.glif</string> <key>dots134568-braille</key> <string>dots134568-braille.glif</string> <key>dots13457-braille</key> <string>dots13457-braille.glif</string> <key>dots134578-braille</key> <string>dots134578-braille.glif</string> <key>dots13458-braille</key> <string>dots13458-braille.glif</string> <key>dots1346-braille</key> <string>dots1346-braille.glif</string> <key>dots13467-braille</key> <string>dots13467-braille.glif</string> <key>dots134678-braille</key> <string>dots134678-braille.glif</string> <key>dots13468-braille</key> <string>dots13468-braille.glif</string> <key>dots1347-braille</key> <string>dots1347-braille.glif</string> <key>dots13478-braille</key> <string>dots13478-braille.glif</string> <key>dots1348-braille</key> <string>dots1348-braille.glif</string> <key>dots135-braille</key> <string>dots135-braille.glif</string> <key>dots1356-braille</key> <string>dots1356-braille.glif</string> <key>dots13567-braille</key> <string>dots13567-braille.glif</string> <key>dots135678-braille</key> <string>dots135678-braille.glif</string> <key>dots13568-braille</key> <string>dots13568-braille.glif</string> <key>dots1357-braille</key> <string>dots1357-braille.glif</string> <key>dots13578-braille</key> <string>dots13578-braille.glif</string> <key>dots1358-braille</key> <string>dots1358-braille.glif</string> <key>dots136-braille</key> <string>dots136-braille.glif</string> <key>dots1367-braille</key> <string>dots1367-braille.glif</string> <key>dots13678-braille</key> <string>dots13678-braille.glif</string> <key>dots1368-braille</key> <string>dots1368-braille.glif</string> <key>dots137-braille</key> <string>dots137-braille.glif</string> <key>dots1378-braille</key> <string>dots1378-braille.glif</string> <key>dots138-braille</key> <string>dots138-braille.glif</string> <key>dots14-braille</key> <string>dots14-braille.glif</string> <key>dots145-braille</key> <string>dots145-braille.glif</string> <key>dots1456-braille</key> <string>dots1456-braille.glif</string> <key>dots14567-braille</key> <string>dots14567-braille.glif</string> <key>dots145678-braille</key> <string>dots145678-braille.glif</string> <key>dots14568-braille</key> <string>dots14568-braille.glif</string> <key>dots1457-braille</key> <string>dots1457-braille.glif</string> <key>dots14578-braille</key> <string>dots14578-braille.glif</string> <key>dots1458-braille</key> <string>dots1458-braille.glif</string> <key>dots146-braille</key> <string>dots146-braille.glif</string> <key>dots1467-braille</key> <string>dots1467-braille.glif</string> <key>dots14678-braille</key> <string>dots14678-braille.glif</string> <key>dots1468-braille</key> <string>dots1468-braille.glif</string> <key>dots147-braille</key> <string>dots147-braille.glif</string> <key>dots1478-braille</key> <string>dots1478-braille.glif</string> <key>dots148-braille</key> <string>dots148-braille.glif</string> <key>dots15-braille</key> <string>dots15-braille.glif</string> <key>dots156-braille</key> <string>dots156-braille.glif</string> <key>dots1567-braille</key> <string>dots1567-braille.glif</string> <key>dots15678-braille</key> <string>dots15678-braille.glif</string> <key>dots1568-braille</key> <string>dots1568-braille.glif</string> <key>dots157-braille</key> <string>dots157-braille.glif</string> <key>dots1578-braille</key> <string>dots1578-braille.glif</string> <key>dots158-braille</key> <string>dots158-braille.glif</string> <key>dots16-braille</key> <string>dots16-braille.glif</string> <key>dots167-braille</key> <string>dots167-braille.glif</string> <key>dots1678-braille</key> <string>dots1678-braille.glif</string> <key>dots168-braille</key> <string>dots168-braille.glif</string> <key>dots17-braille</key> <string>dots17-braille.glif</string> <key>dots178-braille</key> <string>dots178-braille.glif</string> <key>dots18-braille</key> <string>dots18-braille.glif</string> <key>dots2-braille</key> <string>dots2-braille.glif</string> <key>dots23-braille</key> <string>dots23-braille.glif</string> <key>dots234-braille</key> <string>dots234-braille.glif</string> <key>dots2345-braille</key> <string>dots2345-braille.glif</string> <key>dots23456-braille</key> <string>dots23456-braille.glif</string> <key>dots234567-braille</key> <string>dots234567-braille.glif</string> <key>dots2345678-braille</key> <string>dots2345678-braille.glif</string> <key>dots234568-braille</key> <string>dots234568-braille.glif</string> <key>dots23457-braille</key> <string>dots23457-braille.glif</string> <key>dots234578-braille</key> <string>dots234578-braille.glif</string> <key>dots23458-braille</key> <string>dots23458-braille.glif</string> <key>dots2346-braille</key> <string>dots2346-braille.glif</string> <key>dots23467-braille</key> <string>dots23467-braille.glif</string> <key>dots234678-braille</key> <string>dots234678-braille.glif</string> <key>dots23468-braille</key> <string>dots23468-braille.glif</string> <key>dots2347-braille</key> <string>dots2347-braille.glif</string> <key>dots23478-braille</key> <string>dots23478-braille.glif</string> <key>dots2348-braille</key> <string>dots2348-braille.glif</string> <key>dots235-braille</key> <string>dots235-braille.glif</string> <key>dots2356-braille</key> <string>dots2356-braille.glif</string> <key>dots23567-braille</key> <string>dots23567-braille.glif</string> <key>dots235678-braille</key> <string>dots235678-braille.glif</string> <key>dots23568-braille</key> <string>dots23568-braille.glif</string> <key>dots2357-braille</key> <string>dots2357-braille.glif</string> <key>dots23578-braille</key> <string>dots23578-braille.glif</string> <key>dots2358-braille</key> <string>dots2358-braille.glif</string> <key>dots236-braille</key> <string>dots236-braille.glif</string> <key>dots2367-braille</key> <string>dots2367-braille.glif</string> <key>dots23678-braille</key> <string>dots23678-braille.glif</string> <key>dots2368-braille</key> <string>dots2368-braille.glif</string> <key>dots237-braille</key> <string>dots237-braille.glif</string> <key>dots2378-braille</key> <string>dots2378-braille.glif</string> <key>dots238-braille</key> <string>dots238-braille.glif</string> <key>dots24-braille</key> <string>dots24-braille.glif</string> <key>dots245-braille</key> <string>dots245-braille.glif</string> <key>dots2456-braille</key> <string>dots2456-braille.glif</string> <key>dots24567-braille</key> <string>dots24567-braille.glif</string> <key>dots245678-braille</key> <string>dots245678-braille.glif</string> <key>dots24568-braille</key> <string>dots24568-braille.glif</string> <key>dots2457-braille</key> <string>dots2457-braille.glif</string> <key>dots24578-braille</key> <string>dots24578-braille.glif</string> <key>dots2458-braille</key> <string>dots2458-braille.glif</string> <key>dots246-braille</key> <string>dots246-braille.glif</string> <key>dots2467-braille</key> <string>dots2467-braille.glif</string> <key>dots24678-braille</key> <string>dots24678-braille.glif</string> <key>dots2468-braille</key> <string>dots2468-braille.glif</string> <key>dots247-braille</key> <string>dots247-braille.glif</string> <key>dots2478-braille</key> <string>dots2478-braille.glif</string> <key>dots248-braille</key> <string>dots248-braille.glif</string> <key>dots25-braille</key> <string>dots25-braille.glif</string> <key>dots256-braille</key> <string>dots256-braille.glif</string> <key>dots2567-braille</key> <string>dots2567-braille.glif</string> <key>dots25678-braille</key> <string>dots25678-braille.glif</string> <key>dots2568-braille</key> <string>dots2568-braille.glif</string> <key>dots257-braille</key> <string>dots257-braille.glif</string> <key>dots2578-braille</key> <string>dots2578-braille.glif</string> <key>dots258-braille</key> <string>dots258-braille.glif</string> <key>dots26-braille</key> <string>dots26-braille.glif</string> <key>dots267-braille</key> <string>dots267-braille.glif</string> <key>dots2678-braille</key> <string>dots2678-braille.glif</string> <key>dots268-braille</key> <string>dots268-braille.glif</string> <key>dots27-braille</key> <string>dots27-braille.glif</string> <key>dots278-braille</key> <string>dots278-braille.glif</string> <key>dots28-braille</key> <string>dots28-braille.glif</string> <key>dots3-braille</key> <string>dots3-braille.glif</string> <key>dots34-braille</key> <string>dots34-braille.glif</string> <key>dots345-braille</key> <string>dots345-braille.glif</string> <key>dots3456-braille</key> <string>dots3456-braille.glif</string> <key>dots34567-braille</key> <string>dots34567-braille.glif</string> <key>dots345678-braille</key> <string>dots345678-braille.glif</string> <key>dots34568-braille</key> <string>dots34568-braille.glif</string> <key>dots3457-braille</key> <string>dots3457-braille.glif</string> <key>dots34578-braille</key> <string>dots34578-braille.glif</string> <key>dots3458-braille</key> <string>dots3458-braille.glif</string> <key>dots346-braille</key> <string>dots346-braille.glif</string> <key>dots3467-braille</key> <string>dots3467-braille.glif</string> <key>dots34678-braille</key> <string>dots34678-braille.glif</string> <key>dots3468-braille</key> <string>dots3468-braille.glif</string> <key>dots347-braille</key> <string>dots347-braille.glif</string> <key>dots3478-braille</key> <string>dots3478-braille.glif</string> <key>dots348-braille</key> <string>dots348-braille.glif</string> <key>dots35-braille</key> <string>dots35-braille.glif</string> <key>dots356-braille</key> <string>dots356-braille.glif</string> <key>dots3567-braille</key> <string>dots3567-braille.glif</string> <key>dots35678-braille</key> <string>dots35678-braille.glif</string> <key>dots3568-braille</key> <string>dots3568-braille.glif</string> <key>dots357-braille</key> <string>dots357-braille.glif</string> <key>dots3578-braille</key> <string>dots3578-braille.glif</string> <key>dots358-braille</key> <string>dots358-braille.glif</string> <key>dots36-braille</key> <string>dots36-braille.glif</string> <key>dots367-braille</key> <string>dots367-braille.glif</string> <key>dots3678-braille</key> <string>dots3678-braille.glif</string> <key>dots368-braille</key> <string>dots368-braille.glif</string> <key>dots37-braille</key> <string>dots37-braille.glif</string> <key>dots378-braille</key> <string>dots378-braille.glif</string> <key>dots38-braille</key> <string>dots38-braille.glif</string> <key>dots4-braille</key> <string>dots4-braille.glif</string> <key>dots45-braille</key> <string>dots45-braille.glif</string> <key>dots456-braille</key> <string>dots456-braille.glif</string> <key>dots4567-braille</key> <string>dots4567-braille.glif</string> <key>dots45678-braille</key> <string>dots45678-braille.glif</string> <key>dots4568-braille</key> <string>dots4568-braille.glif</string> <key>dots457-braille</key> <string>dots457-braille.glif</string> <key>dots4578-braille</key> <string>dots4578-braille.glif</string> <key>dots458-braille</key> <string>dots458-braille.glif</string> <key>dots46-braille</key> <string>dots46-braille.glif</string> <key>dots467-braille</key> <string>dots467-braille.glif</string> <key>dots4678-braille</key> <string>dots4678-braille.glif</string> <key>dots468-braille</key> <string>dots468-braille.glif</string> <key>dots47-braille</key> <string>dots47-braille.glif</string> <key>dots478-braille</key> <string>dots478-braille.glif</string> <key>dots48-braille</key> <string>dots48-braille.glif</string> <key>dots5-braille</key> <string>dots5-braille.glif</string> <key>dots56-braille</key> <string>dots56-braille.glif</string> <key>dots567-braille</key> <string>dots567-braille.glif</string> <key>dots5678-braille</key> <string>dots5678-braille.glif</string> <key>dots568-braille</key> <string>dots568-braille.glif</string> <key>dots57-braille</key> <string>dots57-braille.glif</string> <key>dots578-braille</key> <string>dots578-braille.glif</string> <key>dots58-braille</key> <string>dots58-braille.glif</string> <key>dots6-braille</key> <string>dots6-braille.glif</string> <key>dots67-braille</key> <string>dots67-braille.glif</string> <key>dots678-braille</key> <string>dots678-braille.glif</string> <key>dots68-braille</key> <string>dots68-braille.glif</string> <key>dots7-braille</key> <string>dots7-braille.glif</string> <key>dots78-braille</key> <string>dots78-braille.glif</string> <key>dots8-braille</key> <string>dots8-braille.glif</string> <key>dottedCircle</key> <string>dottedC_ircle.glif</string> <key>dottedSquare</key> <string>dottedS_quare.glif</string> <key>doubleverticalbarbelowSymbol-ar</key> <string>doubleverticalbarbelowS_ymbol-ar.glif</string> <key>doubleverticalbarbelowSymbol-ar.comb</key> <string>doubleverticalbarbelowS_ymbol-ar.comb.glif</string> <key>downArrow</key> <string>downA_rrow.glif</string> <key>downBlackSmallTriangle</key> <string>downB_lackS_mallT_riangle.glif</string> <key>downBlackTriangle</key> <string>downB_lackT_riangle.glif</string> <key>downTipLeftArrow</key> <string>downT_ipL_eftA_rrow.glif</string> <key>downWhiteSmallTriangle</key> <string>downW_hiteS_mallT_riangle.glif</string> <key>downWhiteTriangle</key> <string>downW_hiteT_riangle.glif</string> <key>dtail</key> <string>dtail.glif</string> <key>dul-ar</key> <string>dul-ar.glif</string> <key>dul-ar.fina</key> <string>dul-ar.fina.glif</string> <key>dyeh-ar</key> <string>dyeh-ar.glif</string> <key>dyeh-ar.fina</key> <string>dyeh-ar.fina.glif</string> <key>dyeh-ar.init</key> <string>dyeh-ar.init.glif</string> <key>dyeh-ar.medi</key> <string>dyeh-ar.medi.glif</string> <key>dze-cy</key> <string>dze-cy.glif</string> <key>dzhe-cy</key> <string>dzhe-cy.glif</string> <key>e</key> <string>e.glif</string> <key>e-ar</key> <string>e-ar.glif</string> <key>e-ar.fina</key> <string>e-ar.fina.glif</string> <key>e-ar.fina.alt</key> <string>e-ar.fina.alt.glif</string> <key>e-ar.init</key> <string>e-ar.init.glif</string> <key>e-ar.init.alt</key> <string>e-ar.init.alt.glif</string> <key>e-ar.medi</key> <string>e-ar.medi.glif</string> <key>e-cy</key> <string>e-cy.glif</string> <key>eacute</key> <string>eacute.glif</string> <key>ebreve</key> <string>ebreve.glif</string> <key>ecaron</key> <string>ecaron.glif</string> <key>ecircumflex</key> <string>ecircumflex.glif</string> <key>ecircumflexacute</key> <string>ecircumflexacute.glif</string> <key>ecircumflexdotbelow</key> <string>ecircumflexdotbelow.glif</string> <key>ecircumflexgrave</key> <string>ecircumflexgrave.glif</string> <key>ecircumflexhookabove</key> <string>ecircumflexhookabove.glif</string> <key>ecircumflextilde</key> <string>ecircumflextilde.glif</string> <key>edieresis</key> <string>edieresis.glif</string> <key>edotaccent</key> <string>edotaccent.glif</string> <key>edotbelow</key> <string>edotbelow.glif</string> <key>ef-cy</key> <string>ef-cy.glif</string> <key>ef-cy.loclBGR</key> <string>ef-cy.loclB_G_R_.glif</string> <key>egrave</key> <string>egrave.glif</string> <key>ehookabove</key> <string>ehookabove.glif</string> <key>eight</key> <string>eight.glif</string> <key>eight-ar</key> <string>eight-ar.glif</string> <key>eight-arinferior</key> <string>eight-arinferior.glif</string> <key>eight-arsuperior</key> <string>eight-arsuperior.glif</string> <key>eight-persian</key> <string>eight-persian.glif</string> <key>eight-persianinferior</key> <string>eight-persianinferior.glif</string> <key>eight-persiansuperior</key> <string>eight-persiansuperior.glif</string> <key>eight.dnom</key> <string>eight.dnom.glif</string> <key>eight.numr</key> <string>eight.numr.glif</string> <key>eightinferior</key> <string>eightinferior.glif</string> <key>eightsuperior</key> <string>eightsuperior.glif</string> <key>el-cy</key> <string>el-cy.glif</string> <key>el-cy.loclBGR</key> <string>el-cy.loclB_G_R_.glif</string> <key>ellipsis</key> <string>ellipsis.glif</string> <key>em-cy</key> <string>em-cy.glif</string> <key>emacron</key> <string>emacron.glif</string> <key>emdash</key> <string>emdash.glif</string> <key>en-cy</key> <string>en-cy.glif</string> <key>endOfMediumControl</key> <string>endO_fM_ediumC_ontrol.glif</string> <key>endOfMediumControl.ss20</key> <string>endO_fM_ediumC_ontrol.ss20.glif</string> <key>endOfTextControl</key> <string>endO_fT_extC_ontrol.glif</string> <key>endOfTextControl.ss20</key> <string>endO_fT_extC_ontrol.ss20.glif</string> <key>endOfTransmissionBlockControl</key> <string>endO_fT_ransmissionB_lockC_ontrol.glif</string> <key>endOfTransmissionBlockControl.ss20</key> <string>endO_fT_ransmissionB_lockC_ontrol.ss20.glif</string> <key>endOfTransmissionControl</key> <string>endO_fT_ransmissionC_ontrol.glif</string> <key>endOfTransmissionControl.ss20</key> <string>endO_fT_ransmissionC_ontrol.ss20.glif</string> <key>endash</key> <string>endash.glif</string> <key>endescender-cy</key> <string>endescender-cy.glif</string> <key>endofayah-ar</key> <string>endofayah-ar.glif</string> <key>eng</key> <string>eng.glif</string> <key>enquiryControl</key> <string>enquiryC_ontrol.glif</string> <key>enquiryControl.ss20</key> <string>enquiryC_ontrol.ss20.glif</string> <key>eogonek</key> <string>eogonek.glif</string> <key>eopen</key> <string>eopen.glif</string> <key>epsilon</key> <string>epsilon.glif</string> <key>epsilontonos</key> <string>epsilontonos.glif</string> <key>equal</key> <string>equal.glif</string> <key>equal_end.seq</key> <string>equal_end.seq.glif</string> <key>equal_equal.liga</key> <string>equal_equal.liga.glif</string> <key>equal_equal_equal.liga</key> <string>equal_equal_equal.liga.glif</string> <key>equal_greater_greater.liga</key> <string>equal_greater_greater.liga.glif</string> <key>equal_less_less.liga</key> <string>equal_less_less.liga.glif</string> <key>equal_middle.seq</key> <string>equal_middle.seq.glif</string> <key>equal_start.seq</key> <string>equal_start.seq.glif</string> <key>equivalence</key> <string>equivalence.glif</string> <key>er-cy</key> <string>er-cy.glif</string> <key>ereversed-cy</key> <string>ereversed-cy.glif</string> <key>es-cy</key> <string>es-cy.glif</string> <key>escapeControl</key> <string>escapeC_ontrol.glif</string> <key>escapeControl.ss20</key> <string>escapeC_ontrol.ss20.glif</string> <key>esh</key> <string>esh.glif</string> <key>estimated</key> <string>estimated.glif</string> <key>eta</key> <string>eta.glif</string> <key>etatonos</key> <string>etatonos.glif</string> <key>eth</key> <string>eth.glif</string> <key>etilde</key> <string>etilde.glif</string> <key>eturned</key> <string>eturned.glif</string> <key>euro</key> <string>euro.glif</string> <key>eurocurrency</key> <string>eurocurrency.glif</string> <key>exclam</key> <string>exclam.glif</string> <key>exclam_colon.liga</key> <string>exclam_colon.liga.glif</string> <key>exclam_equal.liga</key> <string>exclam_equal.liga.glif</string> <key>exclam_equal_equal.liga</key> <string>exclam_equal_equal.liga.glif</string> <key>exclam_equal_middle.seq</key> <string>exclam_equal_middle.seq.glif</string> <key>exclam_exclam.liga</key> <string>exclam_exclam.liga.glif</string> <key>exclam_exclam_period.liga</key> <string>exclam_exclam_period.liga.glif</string> <key>exclam_period.liga</key> <string>exclam_period.liga.glif</string> <key>exclamdouble</key> <string>exclamdouble.glif</string> <key>exclamdown</key> <string>exclamdown.glif</string> <key>ezh</key> <string>ezh.glif</string> <key>f</key> <string>f.glif</string> <key>fatha-ar</key> <string>fatha-ar.glif</string> <key>fathatan-ar</key> <string>fathatan-ar.glif</string> <key>feh-ar</key> <string>feh-ar.glif</string> <key>feh-ar.alt</key> <string>feh-ar.alt.glif</string> <key>feh-ar.fina</key> <string>feh-ar.fina.glif</string> <key>feh-ar.fina.alt</key> <string>feh-ar.fina.alt.glif</string> <key>feh-ar.init</key> <string>feh-ar.init.glif</string> <key>feh-ar.init.alt</key> <string>feh-ar.init.alt.glif</string> <key>feh-ar.medi</key> <string>feh-ar.medi.glif</string> <key>fehDotMovedbelow-ar</key> <string>fehD_otM_ovedbelow-ar.glif</string> <key>fehDotMovedbelow-ar.alt</key> <string>fehD_otM_ovedbelow-ar.alt.glif</string> <key>fehDotMovedbelow-ar.fina</key> <string>fehD_otM_ovedbelow-ar.fina.glif</string> <key>fehDotMovedbelow-ar.fina.alt</key> <string>fehD_otM_ovedbelow-ar.fina.alt.glif</string> <key>fehDotMovedbelow-ar.init</key> <string>fehD_otM_ovedbelow-ar.init.glif</string> <key>fehDotMovedbelow-ar.medi</key> <string>fehD_otM_ovedbelow-ar.medi.glif</string> <key>fehDotbelow-ar</key> <string>fehD_otbelow-ar.glif</string> <key>fehDotbelow-ar.alt</key> <string>fehD_otbelow-ar.alt.glif</string> <key>fehDotbelow-ar.fina</key> <string>fehD_otbelow-ar.fina.glif</string> <key>fehDotbelow-ar.fina.alt</key> <string>fehD_otbelow-ar.fina.alt.glif</string> <key>fehDotbelow-ar.init</key> <string>fehD_otbelow-ar.init.glif</string> <key>fehDotbelow-ar.medi</key> <string>fehD_otbelow-ar.medi.glif</string> <key>fehDotbelowThreedotsabove-ar</key> <string>fehD_otbelowT_hreedotsabove-ar.glif</string> <key>fehDotbelowThreedotsabove-ar.alt</key> <string>fehD_otbelowT_hreedotsabove-ar.alt.glif</string> <key>fehDotbelowThreedotsabove-ar.fina</key> <string>fehD_otbelowT_hreedotsabove-ar.fina.glif</string> <key>fehDotbelowThreedotsabove-ar.fina.alt</key> <string>fehD_otbelowT_hreedotsabove-ar.fina.alt.glif</string> <key>fehDotbelowThreedotsabove-ar.init</key> <string>fehD_otbelowT_hreedotsabove-ar.init.glif</string> <key>fehDotbelowThreedotsabove-ar.medi</key> <string>fehD_otbelowT_hreedotsabove-ar.medi.glif</string> <key>fehDotless-ar</key> <string>fehD_otless-ar.glif</string> <key>fehDotless-ar.alt</key> <string>fehD_otless-ar.alt.glif</string> <key>fehDotless-ar.fina</key> <string>fehD_otless-ar.fina.glif</string> <key>fehDotless-ar.fina.alt</key> <string>fehD_otless-ar.fina.alt.glif</string> <key>fehDotless-ar.init</key> <string>fehD_otless-ar.init.glif</string> <key>fehDotless-ar.init.alt</key> <string>fehD_otless-ar.init.alt.glif</string> <key>fehDotless-ar.medi</key> <string>fehD_otless-ar.medi.glif</string> <key>fehThreedotsbelow-ar</key> <string>fehT_hreedotsbelow-ar.glif</string> <key>fehThreedotsbelow-ar.alt</key> <string>fehT_hreedotsbelow-ar.alt.glif</string> <key>fehThreedotsbelow-ar.fina</key> <string>fehT_hreedotsbelow-ar.fina.glif</string> <key>fehThreedotsbelow-ar.fina.alt</key> <string>fehT_hreedotsbelow-ar.fina.alt.glif</string> <key>fehThreedotsbelow-ar.init</key> <string>fehT_hreedotsbelow-ar.init.glif</string> <key>fehThreedotsbelow-ar.medi</key> <string>fehT_hreedotsbelow-ar.medi.glif</string> <key>fehThreedotsupbelow-ar</key> <string>fehT_hreedotsupbelow-ar.glif</string> <key>fehThreedotsupbelow-ar.alt</key> <string>fehT_hreedotsupbelow-ar.alt.glif</string> <key>fehThreedotsupbelow-ar.fina</key> <string>fehT_hreedotsupbelow-ar.fina.glif</string> <key>fehThreedotsupbelow-ar.fina.alt</key> <string>fehT_hreedotsupbelow-ar.fina.alt.glif</string> <key>fehThreedotsupbelow-ar.init</key> <string>fehT_hreedotsupbelow-ar.init.glif</string> <key>fehThreedotsupbelow-ar.medi</key> <string>fehT_hreedotsupbelow-ar.medi.glif</string> <key>fehTwodotsbelow-ar</key> <string>fehT_wodotsbelow-ar.glif</string> <key>fehTwodotsbelow-ar.alt</key> <string>fehT_wodotsbelow-ar.alt.glif</string> <key>fehTwodotsbelow-ar.fina</key> <string>fehT_wodotsbelow-ar.fina.glif</string> <key>fehTwodotsbelow-ar.fina.alt</key> <string>fehT_wodotsbelow-ar.fina.alt.glif</string> <key>fehTwodotsbelow-ar.init</key> <string>fehT_wodotsbelow-ar.init.glif</string> <key>fehTwodotsbelow-ar.medi</key> <string>fehT_wodotsbelow-ar.medi.glif</string> <key>fi</key> <string>fi.glif</string> <key>fileSeparatorControl</key> <string>fileS_eparatorC_ontrol.glif</string> <key>filledRect</key> <string>filledR_ect.glif</string> <key>finalkaf-hb</key> <string>finalkaf-hb.glif</string> <key>finalkafdagesh-hb</key> <string>finalkafdagesh-hb.glif</string> <key>finalmem-hb</key> <string>finalmem-hb.glif</string> <key>finalnun-hb</key> <string>finalnun-hb.glif</string> <key>finalpe-hb</key> <string>finalpe-hb.glif</string> <key>finalpedagesh-hb</key> <string>finalpedagesh-hb.glif</string> <key>finaltsadi-hb</key> <string>finaltsadi-hb.glif</string> <key>firsttonechinese</key> <string>firsttonechinese.glif</string> <key>fisheye</key> <string>fisheye.glif</string> <key>five</key> <string>five.glif</string> <key>five-ar</key> <string>five-ar.glif</string> <key>five-arinferior</key> <string>five-arinferior.glif</string> <key>five-arsuperior</key> <string>five-arsuperior.glif</string> <key>five-persian</key> <string>five-persian.glif</string> <key>five-persianinferior</key> <string>five-persianinferior.glif</string> <key>five-persiansuperior</key> <string>five-persiansuperior.glif</string> <key>five.dnom</key> <string>five.dnom.glif</string> <key>five.numr</key> <string>five.numr.glif</string> <key>fiveeighths</key> <string>fiveeighths.glif</string> <key>fiveeighths.BRACKET.500</key> <string>fiveeighths.B_R_A_C_K_E_T_.500.glif</string> <key>fiveinferior</key> <string>fiveinferior.glif</string> <key>fivesuperior</key> <string>fivesuperior.glif</string> <key>fl</key> <string>fl.glif</string> <key>florin</key> <string>florin.glif</string> <key>footnotemarker-ar</key> <string>footnotemarker-ar.glif</string> <key>formFeedControl</key> <string>formF_eedC_ontrol.glif</string> <key>formFeedControl.ss20</key> <string>formF_eedC_ontrol.ss20.glif</string> <key>four</key> <string>four.glif</string> <key>four-ar</key> <string>four-ar.glif</string> <key>four-arinferior</key> <string>four-arinferior.glif</string> <key>four-arsuperior</key> <string>four-arsuperior.glif</string> <key>four-persian</key> <string>four-persian.glif</string> <key>four-persian.small01</key> <string>four-persian.small01.glif</string> <key>four-persian.urdu</key> <string>four-persian.urdu.glif</string> <key>four-persian.urduinferior</key> <string>four-persian.urduinferior.glif</string> <key>four-persian.urdusuperior</key> <string>four-persian.urdusuperior.glif</string> <key>four-persianbelow-ar</key> <string>four-persianbelow-ar.glif</string> <key>four-persiancenter-ar</key> <string>four-persiancenter-ar.glif</string> <key>four-persianinferior</key> <string>four-persianinferior.glif</string> <key>four-persiansuperior</key> <string>four-persiansuperior.glif</string> <key>four.dnom</key> <string>four.dnom.glif</string> <key>four.half</key> <string>four.half.glif</string> <key>four.numr</key> <string>four.numr.glif</string> <key>fourdotsabove-ar</key> <string>fourdotsabove-ar.glif</string> <key>fourdotsbelow-ar</key> <string>fourdotsbelow-ar.glif</string> <key>fourdotscenter-ar</key> <string>fourdotscenter-ar.glif</string> <key>fourinferior</key> <string>fourinferior.glif</string> <key>foursuperior</key> <string>foursuperior.glif</string> <key>fourthroot-ar</key> <string>fourthroot-ar.glif</string> <key>fraction</key> <string>fraction.glif</string> <key>franc</key> <string>franc.glif</string> <key>fullBlock</key> <string>fullB_lock.glif</string> <key>fullBlock.stypo</key> <string>fullB_lock.stypo.glif</string> <key>fullstop-ar</key> <string>fullstop-ar.glif</string> <key>g</key> <string>g.glif</string> <key>gaf-ar</key> <string>gaf-ar.glif</string> <key>gaf-ar.fina</key> <string>gaf-ar.fina.glif</string> <key>gaf-ar.init</key> <string>gaf-ar.init.glif</string> <key>gaf-ar.medi</key> <string>gaf-ar.medi.glif</string> <key>gafInvertedstroke-ar</key> <string>gafI_nvertedstroke-ar.glif</string> <key>gafInvertedstroke-ar.fina</key> <string>gafI_nvertedstroke-ar.fina.glif</string> <key>gafInvertedstroke-ar.init</key> <string>gafI_nvertedstroke-ar.init.glif</string> <key>gafInvertedstroke-ar.medi</key> <string>gafI_nvertedstroke-ar.medi.glif</string> <key>gafRing-ar</key> <string>gafR_ing-ar.glif</string> <key>gafRing-ar.fina</key> <string>gafR_ing-ar.fina.glif</string> <key>gafRing-ar.init</key> <string>gafR_ing-ar.init.glif</string> <key>gafRing-ar.medi</key> <string>gafR_ing-ar.medi.glif</string> <key>gafThreedots-ar</key> <string>gafT_hreedots-ar.glif</string> <key>gafThreedots-ar.fina</key> <string>gafT_hreedots-ar.fina.glif</string> <key>gafThreedots-ar.init</key> <string>gafT_hreedots-ar.init.glif</string> <key>gafThreedots-ar.medi</key> <string>gafT_hreedots-ar.medi.glif</string> <key>gafTwodotsbelow-ar</key> <string>gafT_wodotsbelow-ar.glif</string> <key>gafTwodotsbelow-ar.fina</key> <string>gafT_wodotsbelow-ar.fina.glif</string> <key>gafTwodotsbelow-ar.init</key> <string>gafT_wodotsbelow-ar.init.glif</string> <key>gafTwodotsbelow-ar.medi</key> <string>gafT_wodotsbelow-ar.medi.glif</string> <key>gafsarkashabove-ar</key> <string>gafsarkashabove-ar.glif</string> <key>gamma</key> <string>gamma.glif</string> <key>gamma-latin</key> <string>gamma-latin.glif</string> <key>gbreve</key> <string>gbreve.glif</string> <key>gcaron</key> <string>gcaron.glif</string> <key>gcircumflex</key> <string>gcircumflex.glif</string> <key>gcommaaccent</key> <string>gcommaaccent.glif</string> <key>gdotaccent</key> <string>gdotaccent.glif</string> <key>ge-cy</key> <string>ge-cy.glif</string> <key>ge-cy.loclBGR</key> <string>ge-cy.loclB_G_R_.glif</string> <key>geresh-hb</key> <string>geresh-hb.glif</string> <key>germandbls</key> <string>germandbls.glif</string> <key>gershayim-hb</key> <string>gershayim-hb.glif</string> <key>ghain-ar</key> <string>ghain-ar.glif</string> <key>ghain-ar.fina</key> <string>ghain-ar.fina.glif</string> <key>ghain-ar.init</key> <string>ghain-ar.init.glif</string> <key>ghain-ar.medi</key> <string>ghain-ar.medi.glif</string> <key>ghainDotbelow-ar</key> <string>ghainD_otbelow-ar.glif</string> <key>ghainDotbelow-ar.fina</key> <string>ghainD_otbelow-ar.fina.glif</string> <key>ghainDotbelow-ar.init</key> <string>ghainD_otbelow-ar.init.glif</string> <key>ghainDotbelow-ar.medi</key> <string>ghainD_otbelow-ar.medi.glif</string> <key>ghestroke-cy</key> <string>ghestroke-cy.glif</string> <key>gheupturn-cy</key> <string>gheupturn-cy.glif</string> <key>gimel-hb</key> <string>gimel-hb.glif</string> <key>gimeldagesh-hb</key> <string>gimeldagesh-hb.glif</string> <key>gje-cy</key> <string>gje-cy.glif</string> <key>glottalstop</key> <string>glottalstop.glif</string> <key>glottalstopmod</key> <string>glottalstopmod.glif</string> <key>glottalstopreversed</key> <string>glottalstopreversed.glif</string> <key>grave</key> <string>grave.glif</string> <key>gravecomb</key> <string>gravecomb.glif</string> <key>gravecomb.case</key> <string>gravecomb.case.glif</string> <key>gravetonecomb</key> <string>gravetonecomb.glif</string> <key>greater</key> <string>greater.glif</string> <key>greater.alt</key> <string>greater.alt.glif</string> <key>greater.center</key> <string>greater.center.glif</string> <key>greater_equal.liga</key> <string>greater_equal.liga.glif</string> <key>greater_equal_end.seq</key> <string>greater_equal_end.seq.glif</string> <key>greater_equal_middle.seq</key> <string>greater_equal_middle.seq.glif</string> <key>greater_equal_start.seq</key> <string>greater_equal_start.seq.glif</string> <key>greater_greater.liga</key> <string>greater_greater.liga.glif</string> <key>greater_greater_equal.liga</key> <string>greater_greater_equal.liga.glif</string> <key>greater_greater_equal_end.seq</key> <string>greater_greater_equal_end.seq.glif</string> <key>greater_greater_equal_middle.seq</key> <string>greater_greater_equal_middle.seq.glif</string> <key>greater_greater_equal_start.seq</key> <string>greater_greater_equal_start.seq.glif</string> <key>greater_greater_greater.liga</key> <string>greater_greater_greater.liga.glif</string> <key>greater_greater_hyphen_end.seq</key> <string>greater_greater_hyphen_end.seq.glif</string> <key>greater_greater_hyphen_middle.seq</key> <string>greater_greater_hyphen_middle.seq.glif</string> <key>greater_greater_hyphen_start.seq</key> <string>greater_greater_hyphen_start.seq.glif</string> <key>greater_hyphen_end.seq</key> <string>greater_hyphen_end.seq.glif</string> <key>greater_hyphen_middle.seq</key> <string>greater_hyphen_middle.seq.glif</string> <key>greater_hyphen_start.seq</key> <string>greater_hyphen_start.seq.glif</string> <key>greaterequal</key> <string>greaterequal.glif</string> <key>groupSeparatorControl</key> <string>groupS_eparatorC_ontrol.glif</string> <key>gstroke</key> <string>gstroke.glif</string> <key>guarani</key> <string>guarani.glif</string> <key>gueh-ar</key> <string>gueh-ar.glif</string> <key>gueh-ar.fina</key> <string>gueh-ar.fina.glif</string> <key>gueh-ar.init</key> <string>gueh-ar.init.glif</string> <key>gueh-ar.medi</key> <string>gueh-ar.medi.glif</string> <key>guillemetleft</key> <string>guillemetleft.glif</string> <key>guillemetright</key> <string>guillemetright.glif</string> <key>guilsinglleft</key> <string>guilsinglleft.glif</string> <key>guilsinglright</key> <string>guilsinglright.glif</string> <key>h</key> <string>h.glif</string> <key>ha-cy</key> <string>ha-cy.glif</string> <key>hadescender-cy</key> <string>hadescender-cy.glif</string> <key>hah-ar</key> <string>hah-ar.glif</string> <key>hah-ar.fina</key> <string>hah-ar.fina.glif</string> <key>hah-ar.init</key> <string>hah-ar.init.glif</string> <key>hah-ar.medi</key> <string>hah-ar.medi.glif</string> <key>hahFourbelow-ar</key> <string>hahF_ourbelow-ar.glif</string> <key>hahFourbelow-ar.fina</key> <string>hahF_ourbelow-ar.fina.glif</string> <key>hahFourbelow-ar.init</key> <string>hahF_ourbelow-ar.init.glif</string> <key>hahFourbelow-ar.medi</key> <string>hahF_ourbelow-ar.medi.glif</string> <key>hahHamzaabove-ar</key> <string>hahH_amzaabove-ar.glif</string> <key>hahHamzaabove-ar.fina</key> <string>hahH_amzaabove-ar.fina.glif</string> <key>hahHamzaabove-ar.init</key> <string>hahH_amzaabove-ar.init.glif</string> <key>hahHamzaabove-ar.medi</key> <string>hahH_amzaabove-ar.medi.glif</string> <key>hahTahTwodotshorizontalabove-ar</key> <string>hahT_ahT_wodotshorizontalabove-ar.glif</string> <key>hahTahTwodotshorizontalabove-ar.fina</key> <string>hahT_ahT_wodotshorizontalabove-ar.fina.glif</string> <key>hahTahTwodotshorizontalabove-ar.init</key> <string>hahT_ahT_wodotshorizontalabove-ar.init.glif</string> <key>hahTahTwodotshorizontalabove-ar.medi</key> <string>hahT_ahT_wodotshorizontalabove-ar.medi.glif</string> <key>hahTahabove-ar</key> <string>hahT_ahabove-ar.glif</string> <key>hahTahabove-ar.fina</key> <string>hahT_ahabove-ar.fina.glif</string> <key>hahTahabove-ar.init</key> <string>hahT_ahabove-ar.init.glif</string> <key>hahTahabove-ar.medi</key> <string>hahT_ahabove-ar.medi.glif</string> <key>hahTahbelow-ar</key> <string>hahT_ahbelow-ar.glif</string> <key>hahTahbelow-ar.fina</key> <string>hahT_ahbelow-ar.fina.glif</string> <key>hahTahbelow-ar.init</key> <string>hahT_ahbelow-ar.init.glif</string> <key>hahTahbelow-ar.medi</key> <string>hahT_ahbelow-ar.medi.glif</string> <key>hahThreedotsabove-ar</key> <string>hahT_hreedotsabove-ar.glif</string> <key>hahThreedotsabove-ar.fina</key> <string>hahT_hreedotsabove-ar.fina.glif</string> <key>hahThreedotsabove-ar.init</key> <string>hahT_hreedotsabove-ar.init.glif</string> <key>hahThreedotsabove-ar.medi</key> <string>hahT_hreedotsabove-ar.medi.glif</string> <key>hahThreedotsupbelow-ar</key> <string>hahT_hreedotsupbelow-ar.glif</string> <key>hahThreedotsupbelow-ar.fina</key> <string>hahT_hreedotsupbelow-ar.fina.glif</string> <key>hahThreedotsupbelow-ar.init</key> <string>hahT_hreedotsupbelow-ar.init.glif</string> <key>hahThreedotsupbelow-ar.medi</key> <string>hahT_hreedotsupbelow-ar.medi.glif</string> <key>hahTwodotshorizontalabove-ar</key> <string>hahT_wodotshorizontalabove-ar.glif</string> <key>hahTwodotshorizontalabove-ar.fina</key> <string>hahT_wodotshorizontalabove-ar.fina.glif</string> <key>hahTwodotshorizontalabove-ar.init</key> <string>hahT_wodotshorizontalabove-ar.init.glif</string> <key>hahTwodotshorizontalabove-ar.medi</key> <string>hahT_wodotshorizontalabove-ar.medi.glif</string> <key>hahTwodotsverticalabove-ar</key> <string>hahT_wodotsverticalabove-ar.glif</string> <key>hahTwodotsverticalabove-ar.fina</key> <string>hahT_wodotsverticalabove-ar.fina.glif</string> <key>hahTwodotsverticalabove-ar.init</key> <string>hahT_wodotsverticalabove-ar.init.glif</string> <key>hahTwodotsverticalabove-ar.medi</key> <string>hahT_wodotsverticalabove-ar.medi.glif</string> <key>hamza-ar</key> <string>hamza-ar.glif</string> <key>hamzaabove-ar</key> <string>hamzaabove-ar.glif</string> <key>hamzabelow-ar</key> <string>hamzabelow-ar.glif</string> <key>hardsign-cy</key> <string>hardsign-cy.glif</string> <key>hardsign-cy.loclBGR</key> <string>hardsign-cy.loclB_G_R_.glif</string> <key>hbar</key> <string>hbar.glif</string> <key>hcaron</key> <string>hcaron.glif</string> <key>hcircumflex</key> <string>hcircumflex.glif</string> <key>hdotbelow</key> <string>hdotbelow.glif</string> <key>he-hb</key> <string>he-hb.glif</string> <key>heartBlackSuit</key> <string>heartB_lackS_uit.glif</string> <key>heavyleftpointinganglebracketornament</key> <string>heavyleftpointinganglebracketornament.glif</string> <key>heavyleftpointinganglequotationmarkornament</key> <string>heavyleftpointinganglequotationmarkornament.glif</string> <key>heavyrightpointinganglebracketornament</key> <string>heavyrightpointinganglebracketornament.glif</string> <key>heavyrightpointinganglequotationmarkornament</key> <string>heavyrightpointinganglequotationmarkornament.glif</string> <key>hedagesh-hb</key> <string>hedagesh-hb.glif</string> <key>heh-ar</key> <string>heh-ar.glif</string> <key>heh-ar.fina</key> <string>heh-ar.fina.glif</string> <key>heh-ar.init</key> <string>heh-ar.init.glif</string> <key>heh-ar.medi</key> <string>heh-ar.medi.glif</string> <key>hehAlefabove-ar.init</key> <string>hehA_lefabove-ar.init.glif</string> <key>hehAlefabove-ar.init.fina</key> <string>hehA_lefabove-ar.init.fina.glif</string> <key>hehDoachashmee-ar</key> <string>hehD_oachashmee-ar.glif</string> <key>hehDoachashmee-ar.fina</key> <string>hehD_oachashmee-ar.fina.glif</string> <key>hehDoachashmee-ar.init</key> <string>hehD_oachashmee-ar.init.glif</string> <key>hehDoachashmee-ar.medi</key> <string>hehD_oachashmee-ar.medi.glif</string> <key>hehHamzaabove-ar</key> <string>hehH_amzaabove-ar.glif</string> <key>hehHamzaabove-ar.fina</key> <string>hehH_amzaabove-ar.fina.glif</string> <key>hehVinvertedabove-ar</key> <string>hehV_invertedabove-ar.glif</string> <key>hehVinvertedabove-ar.fina</key> <string>hehV_invertedabove-ar.fina.glif</string> <key>hehVinvertedabove-ar.init</key> <string>hehV_invertedabove-ar.init.glif</string> <key>hehVinvertedabove-ar.medi</key> <string>hehV_invertedabove-ar.medi.glif</string> <key>hehgoal-ar</key> <string>hehgoal-ar.glif</string> <key>hehgoal-ar.fina</key> <string>hehgoal-ar.fina.glif</string> <key>hehgoal-ar.init</key> <string>hehgoal-ar.init.glif</string> <key>hehgoal-ar.init.alt</key> <string>hehgoal-ar.init.alt.glif</string> <key>hehgoal-ar.medi</key> <string>hehgoal-ar.medi.glif</string> <key>hehgoalHamzaabove-ar</key> <string>hehgoalH_amzaabove-ar.glif</string> <key>hehgoalHamzaabove-ar.fina</key> <string>hehgoalH_amzaabove-ar.fina.glif</string> <key>hehgoalHamzaabove-ar.init</key> <string>hehgoalH_amzaabove-ar.init.glif</string> <key>hehgoalHamzaabove-ar.init.alt</key> <string>hehgoalH_amzaabove-ar.init.alt.glif</string> <key>hehgoalHamzaabove-ar.medi</key> <string>hehgoalH_amzaabove-ar.medi.glif</string> <key>het-hb</key> <string>het-hb.glif</string> <key>highhamza-ar</key> <string>highhamza-ar.glif</string> <key>highhamzaAlef-ar</key> <string>highhamzaA_lef-ar.glif</string> <key>highhamzaAlef-ar.fina</key> <string>highhamzaA_lef-ar.fina.glif</string> <key>highhamzaAlef-ar.fina.rlig</key> <string>highhamzaA_lef-ar.fina.rlig.glif</string> <key>highhamzaWaw-ar</key> <string>highhamzaW_aw-ar.glif</string> <key>highhamzaWaw-ar.fina</key> <string>highhamzaW_aw-ar.fina.glif</string> <key>highhamzaYeh-ar</key> <string>highhamzaY_eh-ar.glif</string> <key>highhamzaYeh-ar.fina</key> <string>highhamzaY_eh-ar.fina.glif</string> <key>highhamzaYeh-ar.fina.alt</key> <string>highhamzaY_eh-ar.fina.alt.glif</string> <key>highhamzaYeh-ar.init</key> <string>highhamzaY_eh-ar.init.glif</string> <key>highhamzaYeh-ar.init.alt</key> <string>highhamzaY_eh-ar.init.alt.glif</string> <key>highhamzaYeh-ar.medi</key> <string>highhamzaY_eh-ar.medi.glif</string> <key>holam-hb</key> <string>holam-hb.glif</string> <key>holamhaser-hb</key> <string>holamhaser-hb.glif</string> <key>hookabovecomb</key> <string>hookabovecomb.glif</string> <key>hookabovecomb.case</key> <string>hookabovecomb.case.glif</string> <key>horizontalBlackHexagon</key> <string>horizontalB_lackH_exagon.glif</string> <key>horizontalFillSquare</key> <string>horizontalF_illS_quare.glif</string> <key>horizontalTabulationControl</key> <string>horizontalT_abulationC_ontrol.glif</string> <key>horizontalTabulationControl.ss20</key> <string>horizontalT_abulationC_ontrol.ss20.glif</string> <key>horizontalbar</key> <string>horizontalbar.glif</string> <key>horizontallineextension</key> <string>horizontallineextension.glif</string> <key>horncomb</key> <string>horncomb.glif</string> <key>horncomb.case</key> <string>horncomb.case.glif</string> <key>house</key> <string>house.glif</string> <key>hryvnia</key> <string>hryvnia.glif</string> <key>hungarumlaut</key> <string>hungarumlaut.glif</string> <key>hungarumlautcomb</key> <string>hungarumlautcomb.glif</string> <key>hungarumlautcomb.case</key> <string>hungarumlautcomb.case.glif</string> <key>hyphen</key> <string>hyphen.glif</string> <key>hyphen_asciitilde.liga</key> <string>hyphen_asciitilde.liga.glif</string> <key>hyphen_end.seq</key> <string>hyphen_end.seq.glif</string> <key>hyphen_hyphen.liga</key> <string>hyphen_hyphen.liga.glif</string> <key>hyphen_hyphen_hyphen.liga</key> <string>hyphen_hyphen_hyphen.liga.glif</string> <key>hyphen_middle.seq</key> <string>hyphen_middle.seq.glif</string> <key>hyphen_start.seq</key> <string>hyphen_start.seq.glif</string> <key>hyphentwo</key> <string>hyphentwo.glif</string> <key>i</key> <string>i.glif</string> <key>i-cy</key> <string>i-cy.glif</string> <key>ia-cy</key> <string>ia-cy.glif</string> <key>iacute</key> <string>iacute.glif</string> <key>ibreve</key> <string>ibreve.glif</string> <key>icircumflex</key> <string>icircumflex.glif</string> <key>idieresis</key> <string>idieresis.glif</string> <key>idotbelow</key> <string>idotbelow.glif</string> <key>idotless</key> <string>idotless.glif</string> <key>ie-cy</key> <string>ie-cy.glif</string> <key>iegrave-cy</key> <string>iegrave-cy.glif</string> <key>igrave</key> <string>igrave.glif</string> <key>ihookabove</key> <string>ihookabove.glif</string> <key>ii-cy</key> <string>ii-cy.glif</string> <key>ii-cy.loclBGR</key> <string>ii-cy.loclB_G_R_.glif</string> <key>iigrave-cy</key> <string>iigrave-cy.glif</string> <key>iigrave-cy.loclBGR</key> <string>iigrave-cy.loclB_G_R_.glif</string> <key>iishort-cy</key> <string>iishort-cy.glif</string> <key>iishort-cy.loclBGR</key> <string>iishort-cy.loclB_G_R_.glif</string> <key>ij</key> <string>ij.glif</string> <key>ij_acute</key> <string>ij_acute.glif</string> <key>imacron</key> <string>imacron.glif</string> <key>imacron-cy</key> <string>imacron-cy.glif</string> <key>increment</key> <string>increment.glif</string> <key>infinity</key> <string>infinity.glif</string> <key>integral</key> <string>integral.glif</string> <key>integralbt</key> <string>integralbt.glif</string> <key>integraltp</key> <string>integraltp.glif</string> <key>intersection</key> <string>intersection.glif</string> <key>inverseBullet</key> <string>inverseB_ullet.glif</string> <key>inverseWhiteCircle</key> <string>inverseW_hiteC_ircle.glif</string> <key>io-cy</key> <string>io-cy.glif</string> <key>iogonek</key> <string>iogonek.glif</string> <key>iota</key> <string>iota.glif</string> <key>iota-latin</key> <string>iota-latin.glif</string> <key>iotadieresis</key> <string>iotadieresis.glif</string> <key>iotadieresistonos</key> <string>iotadieresistonos.glif</string> <key>iotatonos</key> <string>iotatonos.glif</string> <key>itilde</key> <string>itilde.glif</string> <key>iu-cy</key> <string>iu-cy.glif</string> <key>iu-cy.loclBGR</key> <string>iu-cy.loclB_G_R_.glif</string> <key>j</key> <string>j.glif</string> <key>jacute</key> <string>jacute.glif</string> <key>jcaron</key> <string>jcaron.glif</string> <key>jcircumflex</key> <string>jcircumflex.glif</string> <key>jdotless</key> <string>jdotless.glif</string> <key>je-cy</key> <string>je-cy.glif</string> <key>jeem-ar</key> <string>jeem-ar.glif</string> <key>jeem-ar.fina</key> <string>jeem-ar.fina.glif</string> <key>jeem-ar.init</key> <string>jeem-ar.init.glif</string> <key>jeem-ar.medi</key> <string>jeem-ar.medi.glif</string> <key>jeemTwodotsabove-ar</key> <string>jeemT_wodotsabove-ar.glif</string> <key>jeemTwodotsabove-ar.fina</key> <string>jeemT_wodotsabove-ar.fina.glif</string> <key>jeemTwodotsabove-ar.init</key> <string>jeemT_wodotsabove-ar.init.glif</string> <key>jeemTwodotsabove-ar.medi</key> <string>jeemT_wodotsabove-ar.medi.glif</string> <key>jeh-ar</key> <string>jeh-ar.glif</string> <key>jeh-ar.fina</key> <string>jeh-ar.fina.glif</string> <key>k</key> <string>k.glif</string> <key>ka-cy</key> <string>ka-cy.glif</string> <key>ka-cy.loclBGR</key> <string>ka-cy.loclB_G_R_.glif</string> <key>kadescender-cy</key> <string>kadescender-cy.glif</string> <key>kaf-ar</key> <string>kaf-ar.glif</string> <key>kaf-ar.fina</key> <string>kaf-ar.fina.glif</string> <key>kaf-ar.init</key> <string>kaf-ar.init.glif</string> <key>kaf-ar.medi</key> <string>kaf-ar.medi.glif</string> <key>kaf-hb</key> <string>kaf-hb.glif</string> <key>kafDotabove-ar</key> <string>kafD_otabove-ar.glif</string> <key>kafDotabove-ar.fina</key> <string>kafD_otabove-ar.fina.glif</string> <key>kafDotabove-ar.init</key> <string>kafD_otabove-ar.init.glif</string> <key>kafDotabove-ar.medi</key> <string>kafD_otabove-ar.medi.glif</string> <key>kafRing-ar</key> <string>kafR_ing-ar.glif</string> <key>kafRing-ar.fina</key> <string>kafR_ing-ar.fina.glif</string> <key>kafRing-ar.init</key> <string>kafR_ing-ar.init.glif</string> <key>kafRing-ar.medi</key> <string>kafR_ing-ar.medi.glif</string> <key>kafThreedotsbelow-ar</key> <string>kafT_hreedotsbelow-ar.glif</string> <key>kafThreedotsbelow-ar.fina</key> <string>kafT_hreedotsbelow-ar.fina.glif</string> <key>kafThreedotsbelow-ar.init</key> <string>kafT_hreedotsbelow-ar.init.glif</string> <key>kafThreedotsbelow-ar.medi</key> <string>kafT_hreedotsbelow-ar.medi.glif</string> <key>kafTwodotshorizontalabove-ar</key> <string>kafT_wodotshorizontalabove-ar.glif</string> <key>kafTwodotshorizontalabove-ar.fina</key> <string>kafT_wodotshorizontalabove-ar.fina.glif</string> <key>kafTwodotshorizontalabove-ar.init</key> <string>kafT_wodotshorizontalabove-ar.init.glif</string> <key>kafTwodotshorizontalabove-ar.medi</key> <string>kafT_wodotshorizontalabove-ar.medi.glif</string> <key>kafdagesh-hb</key> <string>kafdagesh-hb.glif</string> <key>kafswash-ar</key> <string>kafswash-ar.glif</string> <key>kafswash-ar.alt</key> <string>kafswash-ar.alt.glif</string> <key>kafswash-ar.fina</key> <string>kafswash-ar.fina.glif</string> <key>kafswash-ar.fina.alt</key> <string>kafswash-ar.fina.alt.glif</string> <key>kafswash-ar.init</key> <string>kafswash-ar.init.glif</string> <key>kafswash-ar.init.alt</key> <string>kafswash-ar.init.alt.glif</string> <key>kafswash-ar.medi</key> <string>kafswash-ar.medi.glif</string> <key>kafswash-ar.medi.alt</key> <string>kafswash-ar.medi.alt.glif</string> <key>kaiSymbol</key> <string>kaiS_ymbol.glif</string> <key>kappa</key> <string>kappa.glif</string> <key>kashida-ar</key> <string>kashida-ar.glif</string> <key>kasra-ar</key> <string>kasra-ar.glif</string> <key>kasratan-ar</key> <string>kasratan-ar.glif</string> <key>kcommaaccent</key> <string>kcommaaccent.glif</string> <key>kdotbelow</key> <string>kdotbelow.glif</string> <key>keheh-ar</key> <string>keheh-ar.glif</string> <key>keheh-ar.fina</key> <string>keheh-ar.fina.glif</string> <key>keheh-ar.init</key> <string>keheh-ar.init.glif</string> <key>keheh-ar.medi</key> <string>keheh-ar.medi.glif</string> <key>kehehDotabove-ar</key> <string>kehehD_otabove-ar.glif</string> <key>kehehDotabove-ar.fina</key> <string>kehehD_otabove-ar.fina.glif</string> <key>kehehDotabove-ar.init</key> <string>kehehD_otabove-ar.init.glif</string> <key>kehehDotabove-ar.medi</key> <string>kehehD_otabove-ar.medi.glif</string> <key>kehehThreedotsabove-ar</key> <string>kehehT_hreedotsabove-ar.glif</string> <key>kehehThreedotsabove-ar.fina</key> <string>kehehT_hreedotsabove-ar.fina.glif</string> <key>kehehThreedotsabove-ar.init</key> <string>kehehT_hreedotsabove-ar.init.glif</string> <key>kehehThreedotsabove-ar.medi</key> <string>kehehT_hreedotsabove-ar.medi.glif</string> <key>kehehThreedotsbelow-ar</key> <string>kehehT_hreedotsbelow-ar.glif</string> <key>kehehThreedotsbelow-ar.fina</key> <string>kehehT_hreedotsbelow-ar.fina.glif</string> <key>kehehThreedotsbelow-ar.init</key> <string>kehehT_hreedotsbelow-ar.init.glif</string> <key>kehehThreedotsbelow-ar.medi</key> <string>kehehT_hreedotsbelow-ar.medi.glif</string> <key>kehehThreedotsupbelow-ar</key> <string>kehehT_hreedotsupbelow-ar.glif</string> <key>kehehThreedotsupbelow-ar.fina</key> <string>kehehT_hreedotsupbelow-ar.fina.glif</string> <key>kehehThreedotsupbelow-ar.init</key> <string>kehehT_hreedotsupbelow-ar.init.glif</string> <key>kehehThreedotsupbelow-ar.medi</key> <string>kehehT_hreedotsupbelow-ar.medi.glif</string> <key>kehehTwodotshorizontalabove-ar</key> <string>kehehT_wodotshorizontalabove-ar.glif</string> <key>kehehTwodotshorizontalabove-ar.fina</key> <string>kehehT_wodotshorizontalabove-ar.fina.glif</string> <key>kehehTwodotshorizontalabove-ar.init</key> <string>kehehT_wodotshorizontalabove-ar.init.glif</string> <key>kehehTwodotshorizontalabove-ar.medi</key> <string>kehehT_wodotshorizontalabove-ar.medi.glif</string> <key>kgreenlandic</key> <string>kgreenlandic.glif</string> <key>khah-ar</key> <string>khah-ar.glif</string> <key>khah-ar.fina</key> <string>khah-ar.fina.glif</string> <key>khah-ar.init</key> <string>khah-ar.init.glif</string> <key>khah-ar.medi</key> <string>khah-ar.medi.glif</string> <key>kip</key> <string>kip.glif</string> <key>kirghizoe-ar</key> <string>kirghizoe-ar.glif</string> <key>kirghizoe-ar.fina</key> <string>kirghizoe-ar.fina.glif</string> <key>kirghizyu-ar</key> <string>kirghizyu-ar.glif</string> <key>kirghizyu-ar.fina</key> <string>kirghizyu-ar.fina.glif</string> <key>kje-cy</key> <string>kje-cy.glif</string> <key>klinebelow</key> <string>klinebelow.glif</string> <key>l</key> <string>l.glif</string> <key>lacute</key> <string>lacute.glif</string> <key>lam-ar</key> <string>lam-ar.glif</string> <key>lam-ar.fina</key> <string>lam-ar.fina.glif</string> <key>lam-ar.init</key> <string>lam-ar.init.glif</string> <key>lam-ar.init.rlig</key> <string>lam-ar.init.rlig.glif</string> <key>lam-ar.medi</key> <string>lam-ar.medi.glif</string> <key>lam-ar.medi.rlig</key> <string>lam-ar.medi.rlig.glif</string> <key>lamBar-ar</key> <string>lamB_ar-ar.glif</string> <key>lamBar-ar.fina</key> <string>lamB_ar-ar.fina.glif</string> <key>lamBar-ar.init</key> <string>lamB_ar-ar.init.glif</string> <key>lamBar-ar.init.rlig</key> <string>lamB_ar-ar.init.rlig.glif</string> <key>lamBar-ar.medi</key> <string>lamB_ar-ar.medi.glif</string> <key>lamBar-ar.medi.rlig</key> <string>lamB_ar-ar.medi.rlig.glif</string> <key>lamDotabove-ar</key> <string>lamD_otabove-ar.glif</string> <key>lamDotabove-ar.fina</key> <string>lamD_otabove-ar.fina.glif</string> <key>lamDotabove-ar.init</key> <string>lamD_otabove-ar.init.glif</string> <key>lamDotabove-ar.init.rlig</key> <string>lamD_otabove-ar.init.rlig.glif</string> <key>lamDotabove-ar.medi</key> <string>lamD_otabove-ar.medi.glif</string> <key>lamDotabove-ar.medi.rlig</key> <string>lamD_otabove-ar.medi.rlig.glif</string> <key>lamDoublebar-ar</key> <string>lamD_oublebar-ar.glif</string> <key>lamDoublebar-ar.fina</key> <string>lamD_oublebar-ar.fina.glif</string> <key>lamDoublebar-ar.init</key> <string>lamD_oublebar-ar.init.glif</string> <key>lamDoublebar-ar.init.rlig</key> <string>lamD_oublebar-ar.init.rlig.glif</string> <key>lamDoublebar-ar.medi</key> <string>lamD_oublebar-ar.medi.glif</string> <key>lamDoublebar-ar.medi.rlig</key> <string>lamD_oublebar-ar.medi.rlig.glif</string> <key>lamThreedotsabove-ar</key> <string>lamT_hreedotsabove-ar.glif</string> <key>lamThreedotsabove-ar.fina</key> <string>lamT_hreedotsabove-ar.fina.glif</string> <key>lamThreedotsabove-ar.init</key> <string>lamT_hreedotsabove-ar.init.glif</string> <key>lamThreedotsabove-ar.init.rlig</key> <string>lamT_hreedotsabove-ar.init.rlig.glif</string> <key>lamThreedotsabove-ar.medi</key> <string>lamT_hreedotsabove-ar.medi.glif</string> <key>lamThreedotsabove-ar.medi.rlig</key> <string>lamT_hreedotsabove-ar.medi.rlig.glif</string> <key>lamThreedotsbelow-ar</key> <string>lamT_hreedotsbelow-ar.glif</string> <key>lamThreedotsbelow-ar.fina</key> <string>lamT_hreedotsbelow-ar.fina.glif</string> <key>lamThreedotsbelow-ar.init</key> <string>lamT_hreedotsbelow-ar.init.glif</string> <key>lamThreedotsbelow-ar.init.rlig</key> <string>lamT_hreedotsbelow-ar.init.rlig.glif</string> <key>lamThreedotsbelow-ar.medi</key> <string>lamT_hreedotsbelow-ar.medi.glif</string> <key>lamThreedotsbelow-ar.medi.rlig</key> <string>lamT_hreedotsbelow-ar.medi.rlig.glif</string> <key>lamVabove-ar</key> <string>lamV_above-ar.glif</string> <key>lamVabove-ar.fina</key> <string>lamV_above-ar.fina.glif</string> <key>lamVabove-ar.init</key> <string>lamV_above-ar.init.glif</string> <key>lamVabove-ar.init.rlig</key> <string>lamV_above-ar.init.rlig.glif</string> <key>lamVabove-ar.medi</key> <string>lamV_above-ar.medi.glif</string> <key>lamVabove-ar.medi.rlig</key> <string>lamV_above-ar.medi.rlig.glif</string> <key>lam_alef-ar</key> <string>lam_alef-ar.glif</string> <key>lam_alef-ar.fina</key> <string>lam_alef-ar.fina.glif</string> <key>lam_alef-ar.fina.short</key> <string>lam_alef-ar.fina.short.glif</string> <key>lam_alef-ar.short</key> <string>lam_alef-ar.short.glif</string> <key>lam_alefHamzaabove-ar</key> <string>lam_alefH_amzaabove-ar.glif</string> <key>lam_alefHamzaabove-ar.fina</key> <string>lam_alefH_amzaabove-ar.fina.glif</string> <key>lam_alefHamzabelow-ar</key> <string>lam_alefH_amzabelow-ar.glif</string> <key>lam_alefHamzabelow-ar.fina</key> <string>lam_alefH_amzabelow-ar.fina.glif</string> <key>lam_alefMadda-ar</key> <string>lam_alefM_adda-ar.glif</string> <key>lam_alefMadda-ar.fina</key> <string>lam_alefM_adda-ar.fina.glif</string> <key>lam_alefWasla-ar</key> <string>lam_alefW_asla-ar.glif</string> <key>lam_alefWasla-ar.fina</key> <string>lam_alefW_asla-ar.fina.glif</string> <key>lam_lam_heh-ar</key> <string>lam_lam_heh-ar.glif</string> <key>lambda</key> <string>lambda.glif</string> <key>lambdastroke</key> <string>lambdastroke.glif</string> <key>lamed-hb</key> <string>lamed-hb.glif</string> <key>lameddagesh-hb</key> <string>lameddagesh-hb.glif</string> <key>largeCircle</key> <string>largeC_ircle.glif</string> <key>lari</key> <string>lari.glif</string> <key>lbar</key> <string>lbar.glif</string> <key>lbelt</key> <string>lbelt.glif</string> <key>lcaron</key> <string>lcaron.glif</string> <key>lcommaaccent</key> <string>lcommaaccent.glif</string> <key>ldot</key> <string>ldot.glif</string> <key>ldotbelow</key> <string>ldotbelow.glif</string> <key>leftArrow</key> <string>leftA_rrow.glif</string> <key>leftBlackPointer</key> <string>leftB_lackP_ointer.glif</string> <key>leftBlackSmallTriangle</key> <string>leftB_lackS_mallT_riangle.glif</string> <key>leftBlackTriangle</key> <string>leftB_lackT_riangle.glif</string> <key>leftBlock</key> <string>leftB_lock.glif</string> <key>leftBlock.stypo</key> <string>leftB_lock.stypo.glif</string> <key>leftFiveEighthsBlock</key> <string>leftF_iveE_ighthsB_lock.glif</string> <key>leftFiveEighthsBlock.stypo</key> <string>leftF_iveE_ighthsB_lock.stypo.glif</string> <key>leftHalfBlackCircle</key> <string>leftH_alfB_lackC_ircle.glif</string> <key>leftHalfBlackDiamond</key> <string>leftH_alfB_lackD_iamond.glif</string> <key>leftHalfBlackSquare</key> <string>leftH_alfB_lackS_quare.glif</string> <key>leftHalfBlackWhiteCircle</key> <string>leftH_alfB_lackW_hiteC_ircle.glif</string> <key>leftOneEighthBlock</key> <string>leftO_neE_ighthB_lock.glif</string> <key>leftOneEighthBlock.stypo</key> <string>leftO_neE_ighthB_lock.stypo.glif</string> <key>leftOneQuarterBlock</key> <string>leftO_neQ_uarterB_lock.glif</string> <key>leftOneQuarterBlock.stypo</key> <string>leftO_neQ_uarterB_lock.stypo.glif</string> <key>leftRightArrow</key> <string>leftR_ightA_rrow.glif</string> <key>leftSevenEighthsBlock</key> <string>leftS_evenE_ighthsB_lock.glif</string> <key>leftSevenEighthsBlock.stypo</key> <string>leftS_evenE_ighthsB_lock.stypo.glif</string> <key>leftThreeEighthsBlock</key> <string>leftT_hreeE_ighthsB_lock.glif</string> <key>leftThreeEighthsBlock.stypo</key> <string>leftT_hreeE_ighthsB_lock.stypo.glif</string> <key>leftThreeQuartersBlock</key> <string>leftT_hreeQ_uartersB_lock.glif</string> <key>leftThreeQuartersBlock.stypo</key> <string>leftT_hreeQ_uartersB_lock.stypo.glif</string> <key>leftWhitePointer</key> <string>leftW_hiteP_ointer.glif</string> <key>leftWhiteSmallTriangle</key> <string>leftW_hiteS_mallT_riangle.glif</string> <key>leftWhiteTriangle</key> <string>leftW_hiteT_riangle.glif</string> <key>less</key> <string>less.glif</string> <key>less.alt</key> <string>less.alt.glif</string> <key>less.center</key> <string>less.center.glif</string> <key>less_asciitilde.liga</key> <string>less_asciitilde.liga.glif</string> <key>less_asciitilde_asciitilde.liga</key> <string>less_asciitilde_asciitilde.liga.glif</string> <key>less_asciitilde_greater.liga</key> <string>less_asciitilde_greater.liga.glif</string> <key>less_asterisk.liga</key> <string>less_asterisk.liga.glif</string> <key>less_asterisk_greater.liga</key> <string>less_asterisk_greater.liga.glif</string> <key>less_bar.liga</key> <string>less_bar.liga.glif</string> <key>less_bar_bar.liga</key> <string>less_bar_bar.liga.glif</string> <key>less_bar_bar_bar.liga</key> <string>less_bar_bar_bar.liga.glif</string> <key>less_bar_greater.liga</key> <string>less_bar_greater.liga.glif</string> <key>less_dollar.liga</key> <string>less_dollar.liga.glif</string> <key>less_dollar.liga.BRACKET.600</key> <string>less_dollar.liga.B_R_A_C_K_E_T_.600.glif</string> <key>less_dollar_greater.liga</key> <string>less_dollar_greater.liga.glif</string> <key>less_dollar_greater.liga.BRACKET.600</key> <string>less_dollar_greater.liga.B_R_A_C_K_E_T_.600.glif</string> <key>less_equal.liga</key> <string>less_equal.liga.glif</string> <key>less_equal_end.seq</key> <string>less_equal_end.seq.glif</string> <key>less_equal_middle.seq</key> <string>less_equal_middle.seq.glif</string> <key>less_equal_start.seq</key> <string>less_equal_start.seq.glif</string> <key>less_exclam_hyphen_hyphen.liga</key> <string>less_exclam_hyphen_hyphen.liga.glif</string> <key>less_greater.liga</key> <string>less_greater.liga.glif</string> <key>less_hyphen_end.seq</key> <string>less_hyphen_end.seq.glif</string> <key>less_hyphen_middle.seq</key> <string>less_hyphen_middle.seq.glif</string> <key>less_hyphen_start.seq</key> <string>less_hyphen_start.seq.glif</string> <key>less_less.liga</key> <string>less_less.liga.glif</string> <key>less_less_equal.liga</key> <string>less_less_equal.liga.glif</string> <key>less_less_equal_end.seq</key> <string>less_less_equal_end.seq.glif</string> <key>less_less_equal_middle.seq</key> <string>less_less_equal_middle.seq.glif</string> <key>less_less_equal_start.seq</key> <string>less_less_equal_start.seq.glif</string> <key>less_less_hyphen_end.seq</key> <string>less_less_hyphen_end.seq.glif</string> <key>less_less_hyphen_middle.seq</key> <string>less_less_hyphen_middle.seq.glif</string> <key>less_less_hyphen_start.seq</key> <string>less_less_hyphen_start.seq.glif</string> <key>less_less_less.liga</key> <string>less_less_less.liga.glif</string> <key>less_plus.liga</key> <string>less_plus.liga.glif</string> <key>less_plus_greater.liga</key> <string>less_plus_greater.liga.glif</string> <key>less_slash.liga</key> <string>less_slash.liga.glif</string> <key>less_slash_greater.liga</key> <string>less_slash_greater.liga.glif</string> <key>lessequal</key> <string>lessequal.glif</string> <key>lineFeedControl</key> <string>lineF_eedC_ontrol.glif</string> <key>lineFeedControl.ss20</key> <string>lineF_eedC_ontrol.ss20.glif</string> <key>lineseparator</key> <string>lineseparator.glif</string> <key>lira</key> <string>lira.glif</string> <key>liraTurkish</key> <string>liraT_urkish.glif</string> <key>literSign</key> <string>literS_ign.glif</string> <key>lje-cy</key> <string>lje-cy.glif</string> <key>llinebelow</key> <string>llinebelow.glif</string> <key>lmiddletilde</key> <string>lmiddletilde.glif</string> <key>logicalnot</key> <string>logicalnot.glif</string> <key>logicalnotReversed</key> <string>logicalnotR_eversed.glif</string> <key>longs</key> <string>longs.glif</string> <key>lowerFiveEighthsBlock</key> <string>lowerF_iveE_ighthsB_lock.glif</string> <key>lowerFiveEighthsBlock.stypo</key> <string>lowerF_iveE_ighthsB_lock.stypo.glif</string> <key>lowerHalfArc</key> <string>lowerH_alfA_rc.glif</string> <key>lowerHalfBlackWhiteCircle</key> <string>lowerH_alfB_lackW_hiteC_ircle.glif</string> <key>lowerHalfBlock</key> <string>lowerH_alfB_lock.glif</string> <key>lowerHalfBlock.stypo</key> <string>lowerH_alfB_lock.stypo.glif</string> <key>lowerHalfInverseWhiteCircle</key> <string>lowerH_alfI_nverseW_hiteC_ircle.glif</string> <key>lowerHalfWhiteSquare</key> <string>lowerH_alfW_hiteS_quare.glif</string> <key>lowerLeftArc</key> <string>lowerL_eftA_rc.glif</string> <key>lowerLeftBlackTriangle</key> <string>lowerL_eftB_lackT_riangle.glif</string> <key>lowerLeftBlock</key> <string>lowerL_eftB_lock.glif</string> <key>lowerLeftBlock.stypo</key> <string>lowerL_eftB_lock.stypo.glif</string> <key>lowerLeftHalfWhiteSquare</key> <string>lowerL_eftH_alfW_hiteS_quare.glif</string> <key>lowerLeftQuadrantWhiteCircle</key> <string>lowerL_eftQ_uadrantW_hiteC_ircle.glif</string> <key>lowerLeftTriangle</key> <string>lowerL_eftT_riangle.glif</string> <key>lowerOneEighthBlock</key> <string>lowerO_neE_ighthB_lock.glif</string> <key>lowerOneEighthBlock.stypo</key> <string>lowerO_neE_ighthB_lock.stypo.glif</string> <key>lowerOneQuarterBlock</key> <string>lowerO_neQ_uarterB_lock.glif</string> <key>lowerOneQuarterBlock.stypo</key> <string>lowerO_neQ_uarterB_lock.stypo.glif</string> <key>lowerRightArc</key> <string>lowerR_ightA_rc.glif</string> <key>lowerRightBlackTriangle</key> <string>lowerR_ightB_lackT_riangle.glif</string> <key>lowerRightBlock</key> <string>lowerR_ightB_lock.glif</string> <key>lowerRightBlock.stypo</key> <string>lowerR_ightB_lock.stypo.glif</string> <key>lowerRightDiagonalHalfBlackSquare</key> <string>lowerR_ightD_iagonalH_alfB_lackS_quare.glif</string> <key>lowerRightQuadrantWhiteCircle</key> <string>lowerR_ightQ_uadrantW_hiteC_ircle.glif</string> <key>lowerRightTriangle</key> <string>lowerR_ightT_riangle.glif</string> <key>lowerSevenEighthsBlock</key> <string>lowerS_evenE_ighthsB_lock.glif</string> <key>lowerSevenEighthsBlock.stypo</key> <string>lowerS_evenE_ighthsB_lock.stypo.glif</string> <key>lowerThreeEighthsBlock</key> <string>lowerT_hreeE_ighthsB_lock.glif</string> <key>lowerThreeEighthsBlock.stypo</key> <string>lowerT_hreeE_ighthsB_lock.stypo.glif</string> <key>lowerThreeQuartersBlock</key> <string>lowerT_hreeQ_uartersB_lock.glif</string> <key>lowerThreeQuartersBlock.stypo</key> <string>lowerT_hreeQ_uartersB_lock.stypo.glif</string> <key>lowernumeral-greek</key> <string>lowernumeral-greek.glif</string> <key>lowlinecomb</key> <string>lowlinecomb.glif</string> <key>lozenge</key> <string>lozenge.glif</string> <key>lslash</key> <string>lslash.glif</string> <key>m</key> <string>m.glif</string> <key>macron</key> <string>macron.glif</string> <key>macronbelowcomb</key> <string>macronbelowcomb.glif</string> <key>macroncomb</key> <string>macroncomb.glif</string> <key>macroncomb.case</key> <string>macroncomb.case.glif</string> <key>madda-ar</key> <string>madda-ar.glif</string> <key>manat</key> <string>manat.glif</string> <key>maqaf-hb</key> <string>maqaf-hb.glif</string> <key>mars</key> <string>mars.glif</string> <key>mediumBlackSmallSquare</key> <string>mediumB_lackS_mallS_quare.glif</string> <key>mediumBlackSquare</key> <string>mediumB_lackS_quare.glif</string> <key>mediumWhiteSmallSquare</key> <string>mediumW_hiteS_mallS_quare.glif</string> <key>mediumWhiteSquare</key> <string>mediumW_hiteS_quare.glif</string> <key>mediumleftpointinganglebracketornament</key> <string>mediumleftpointinganglebracketornament.glif</string> <key>mediumrightpointinganglebracketornament</key> <string>mediumrightpointinganglebracketornament.glif</string> <key>meem-ar</key> <string>meem-ar.glif</string> <key>meem-ar.fina</key> <string>meem-ar.fina.glif</string> <key>meem-ar.init</key> <string>meem-ar.init.glif</string> <key>meem-ar.medi</key> <string>meem-ar.medi.glif</string> <key>meemDotabove-ar</key> <string>meemD_otabove-ar.glif</string> <key>meemDotabove-ar.fina</key> <string>meemD_otabove-ar.fina.glif</string> <key>meemDotabove-ar.init</key> <string>meemD_otabove-ar.init.glif</string> <key>meemDotabove-ar.medi</key> <string>meemD_otabove-ar.medi.glif</string> <key>meemDotbelow-ar</key> <string>meemD_otbelow-ar.glif</string> <key>meemDotbelow-ar.fina</key> <string>meemD_otbelow-ar.fina.glif</string> <key>meemDotbelow-ar.init</key> <string>meemD_otbelow-ar.init.glif</string> <key>meemDotbelow-ar.medi</key> <string>meemD_otbelow-ar.medi.glif</string> <key>meemStopabove-ar</key> <string>meemS_topabove-ar.glif</string> <key>meemThreedotsabove-ar</key> <string>meemT_hreedotsabove-ar.glif</string> <key>meemThreedotsabove-ar.fina</key> <string>meemT_hreedotsabove-ar.fina.glif</string> <key>meemThreedotsabove-ar.init</key> <string>meemT_hreedotsabove-ar.init.glif</string> <key>meemThreedotsabove-ar.medi</key> <string>meemT_hreedotsabove-ar.medi.glif</string> <key>mem-hb</key> <string>mem-hb.glif</string> <key>memdagesh-hb</key> <string>memdagesh-hb.glif</string> <key>micro</key> <string>micro.glif</string> <key>minus</key> <string>minus.glif</string> <key>minute</key> <string>minute.glif</string> <key>misraComma-ar</key> <string>misraC_omma-ar.glif</string> <key>mu</key> <string>mu.glif</string> <key>multiply</key> <string>multiply.glif</string> <key>n</key> <string>n.glif</string> <key>nacute</key> <string>nacute.glif</string> <key>nacute.loclPLK</key> <string>nacute.loclP_L_K_.glif</string> <key>naira</key> <string>naira.glif</string> <key>napostrophe</key> <string>napostrophe.glif</string> <key>nbspace</key> <string>nbspace.glif</string> <key>ncaron</key> <string>ncaron.glif</string> <key>ncommaaccent</key> <string>ncommaaccent.glif</string> <key>negativeAcknowledgeControl</key> <string>negativeA_cknowledgeC_ontrol.glif</string> <key>negativeAcknowledgeControl.ss20</key> <string>negativeA_cknowledgeC_ontrol.ss20.glif</string> <key>newlineControl</key> <string>newlineC_ontrol.glif</string> <key>ng-ar</key> <string>ng-ar.glif</string> <key>ng-ar.fina</key> <string>ng-ar.fina.glif</string> <key>ng-ar.init</key> <string>ng-ar.init.glif</string> <key>ng-ar.medi</key> <string>ng-ar.medi.glif</string> <key>ngoeh-ar</key> <string>ngoeh-ar.glif</string> <key>ngoeh-ar.fina</key> <string>ngoeh-ar.fina.glif</string> <key>ngoeh-ar.init</key> <string>ngoeh-ar.init.glif</string> <key>ngoeh-ar.medi</key> <string>ngoeh-ar.medi.glif</string> <key>nhookleft</key> <string>nhookleft.glif</string> <key>nine</key> <string>nine.glif</string> <key>nine-ar</key> <string>nine-ar.glif</string> <key>nine-arinferior</key> <string>nine-arinferior.glif</string> <key>nine-arsuperior</key> <string>nine-arsuperior.glif</string> <key>nine-persian</key> <string>nine-persian.glif</string> <key>nine-persianinferior</key> <string>nine-persianinferior.glif</string> <key>nine-persiansuperior</key> <string>nine-persiansuperior.glif</string> <key>nine.dnom</key> <string>nine.dnom.glif</string> <key>nine.numr</key> <string>nine.numr.glif</string> <key>nineinferior</key> <string>nineinferior.glif</string> <key>ninesuperior</key> <string>ninesuperior.glif</string> <key>nje-cy</key> <string>nje-cy.glif</string> <key>nlinebelow</key> <string>nlinebelow.glif</string> <key>nmod</key> <string>nmod.glif</string> <key>nonbreakinghyphen</key> <string>nonbreakinghyphen.glif</string> <key>noon-ar</key> <string>noon-ar.glif</string> <key>noon-ar.fina</key> <string>noon-ar.fina.glif</string> <key>noon-ar.init</key> <string>noon-ar.init.glif</string> <key>noon-ar.init.alt</key> <string>noon-ar.init.alt.glif</string> <key>noon-ar.medi</key> <string>noon-ar.medi.glif</string> <key>noonAfrican-ar</key> <string>noonA_frican-ar.glif</string> <key>noonAfrican-ar.fina</key> <string>noonA_frican-ar.fina.glif</string> <key>noonAfrican-ar.init</key> <string>noonA_frican-ar.init.glif</string> <key>noonAfrican-ar.init.alt</key> <string>noonA_frican-ar.init.alt.glif</string> <key>noonAfrican-ar.medi</key> <string>noonA_frican-ar.medi.glif</string> <key>noonDotbelow-ar</key> <string>noonD_otbelow-ar.glif</string> <key>noonDotbelow-ar.fina</key> <string>noonD_otbelow-ar.fina.glif</string> <key>noonDotbelow-ar.init</key> <string>noonD_otbelow-ar.init.glif</string> <key>noonDotbelow-ar.init.alt</key> <string>noonD_otbelow-ar.init.alt.glif</string> <key>noonDotbelow-ar.medi</key> <string>noonD_otbelow-ar.medi.glif</string> <key>noonRing-ar</key> <string>noonR_ing-ar.glif</string> <key>noonRing-ar.fina</key> <string>noonR_ing-ar.fina.glif</string> <key>noonRing-ar.init</key> <string>noonR_ing-ar.init.glif</string> <key>noonRing-ar.init.alt</key> <string>noonR_ing-ar.init.alt.glif</string> <key>noonRing-ar.medi</key> <string>noonR_ing-ar.medi.glif</string> <key>noonTahabove-ar</key> <string>noonT_ahabove-ar.glif</string> <key>noonTahabove-ar.fina</key> <string>noonT_ahabove-ar.fina.glif</string> <key>noonTahabove-ar.init</key> <string>noonT_ahabove-ar.init.glif</string> <key>noonTahabove-ar.init.alt</key> <string>noonT_ahabove-ar.init.alt.glif</string> <key>noonTahabove-ar.medi</key> <string>noonT_ahabove-ar.medi.glif</string> <key>noonThreedotsabove-ar</key> <string>noonT_hreedotsabove-ar.glif</string> <key>noonThreedotsabove-ar.fina</key> <string>noonT_hreedotsabove-ar.fina.glif</string> <key>noonThreedotsabove-ar.init</key> <string>noonT_hreedotsabove-ar.init.glif</string> <key>noonThreedotsabove-ar.init.alt</key> <string>noonT_hreedotsabove-ar.init.alt.glif</string> <key>noonThreedotsabove-ar.medi</key> <string>noonT_hreedotsabove-ar.medi.glif</string> <key>noonTwodotsbelow-ar</key> <string>noonT_wodotsbelow-ar.glif</string> <key>noonTwodotsbelow-ar.fina</key> <string>noonT_wodotsbelow-ar.fina.glif</string> <key>noonTwodotsbelow-ar.init</key> <string>noonT_wodotsbelow-ar.init.glif</string> <key>noonTwodotsbelow-ar.init.alt</key> <string>noonT_wodotsbelow-ar.init.alt.glif</string> <key>noonTwodotsbelow-ar.medi</key> <string>noonT_wodotsbelow-ar.medi.glif</string> <key>noonVabove-ar</key> <string>noonV_above-ar.glif</string> <key>noonVabove-ar.fina</key> <string>noonV_above-ar.fina.glif</string> <key>noonVabove-ar.init</key> <string>noonV_above-ar.init.glif</string> <key>noonVabove-ar.init.alt</key> <string>noonV_above-ar.init.alt.glif</string> <key>noonVabove-ar.medi</key> <string>noonV_above-ar.medi.glif</string> <key>noonabove-ar</key> <string>noonabove-ar.glif</string> <key>noonghunna-ar</key> <string>noonghunna-ar.glif</string> <key>noonghunna-ar.fina</key> <string>noonghunna-ar.fina.glif</string> <key>noonghunna-ar.init</key> <string>noonghunna-ar.init.glif</string> <key>noonghunna-ar.init.alt</key> <string>noonghunna-ar.init.alt.glif</string> <key>noonghunna-ar.medi</key> <string>noonghunna-ar.medi.glif</string> <key>noonghunnaabove-ar</key> <string>noonghunnaabove-ar.glif</string> <key>note-musical</key> <string>note-musical.glif</string> <key>notedbl-musical</key> <string>notedbl-musical.glif</string> <key>notequal</key> <string>notequal.glif</string> <key>notidentical</key> <string>notidentical.glif</string> <key>ntilde</key> <string>ntilde.glif</string> <key>nu</key> <string>nu.glif</string> <key>nullControl</key> <string>nullC_ontrol.glif</string> <key>number-ar</key> <string>number-ar.glif</string> <key>numbermark-ar</key> <string>numbermark-ar.glif</string> <key>numbersign</key> <string>numbersign.glif</string> <key>numbersign_braceleft.liga</key> <string>numbersign_braceleft.liga.glif</string> <key>numbersign_bracketleft.liga</key> <string>numbersign_bracketleft.liga.glif</string> <key>numbersign_colon.liga</key> <string>numbersign_colon.liga.glif</string> <key>numbersign_end.seq</key> <string>numbersign_end.seq.glif</string> <key>numbersign_equal.liga</key> <string>numbersign_equal.liga.glif</string> <key>numbersign_exclam.liga</key> <string>numbersign_exclam.liga.glif</string> <key>numbersign_middle.seq</key> <string>numbersign_middle.seq.glif</string> <key>numbersign_parenleft.liga</key> <string>numbersign_parenleft.liga.glif</string> <key>numbersign_question.liga</key> <string>numbersign_question.liga.glif</string> <key>numbersign_start.seq</key> <string>numbersign_start.seq.glif</string> <key>numbersign_underscore.liga</key> <string>numbersign_underscore.liga.glif</string> <key>numbersign_underscore_parenleft.liga</key> <string>numbersign_underscore_parenleft.liga.glif</string> <key>numeral-greek</key> <string>numeral-greek.glif</string> <key>numero</key> <string>numero.glif</string> <key>nun-hb</key> <string>nun-hb.glif</string> <key>nundagesh-hb</key> <string>nundagesh-hb.glif</string> <key>nyeh-ar</key> <string>nyeh-ar.glif</string> <key>nyeh-ar.fina</key> <string>nyeh-ar.fina.glif</string> <key>nyeh-ar.init</key> <string>nyeh-ar.init.glif</string> <key>nyeh-ar.medi</key> <string>nyeh-ar.medi.glif</string> <key>o</key> <string>o.glif</string> <key>o-cy</key> <string>o-cy.glif</string> <key>oacute</key> <string>oacute.glif</string> <key>oacute.loclPLK</key> <string>oacute.loclP_L_K_.glif</string> <key>obarred-cy</key> <string>obarred-cy.glif</string> <key>obreve</key> <string>obreve.glif</string> <key>ocircumflex</key> <string>ocircumflex.glif</string> <key>ocircumflexacute</key> <string>ocircumflexacute.glif</string> <key>ocircumflexdotbelow</key> <string>ocircumflexdotbelow.glif</string> <key>ocircumflexgrave</key> <string>ocircumflexgrave.glif</string> <key>ocircumflexhookabove</key> <string>ocircumflexhookabove.glif</string> <key>ocircumflextilde</key> <string>ocircumflextilde.glif</string> <key>odieresis</key> <string>odieresis.glif</string> <key>odotbelow</key> <string>odotbelow.glif</string> <key>oe</key> <string>oe.glif</string> <key>oe-ar</key> <string>oe-ar.glif</string> <key>oe-ar.fina</key> <string>oe-ar.fina.glif</string> <key>ogonek</key> <string>ogonek.glif</string> <key>ogonekcomb</key> <string>ogonekcomb.glif</string> <key>ograve</key> <string>ograve.glif</string> <key>ohookabove</key> <string>ohookabove.glif</string> <key>ohorn</key> <string>ohorn.glif</string> <key>ohornacute</key> <string>ohornacute.glif</string> <key>ohorndotbelow</key> <string>ohorndotbelow.glif</string> <key>ohorngrave</key> <string>ohorngrave.glif</string> <key>ohornhookabove</key> <string>ohornhookabove.glif</string> <key>ohorntilde</key> <string>ohorntilde.glif</string> <key>ohungarumlaut</key> <string>ohungarumlaut.glif</string> <key>omacron</key> <string>omacron.glif</string> <key>omacronacute</key> <string>omacronacute.glif</string> <key>omacrongrave</key> <string>omacrongrave.glif</string> <key>omega</key> <string>omega.glif</string> <key>omegatonos</key> <string>omegatonos.glif</string> <key>omicron</key> <string>omicron.glif</string> <key>omicrontonos</key> <string>omicrontonos.glif</string> <key>one</key> <string>one.glif</string> <key>one-ar</key> <string>one-ar.glif</string> <key>one-arinferior</key> <string>one-arinferior.glif</string> <key>one-arsuperior</key> <string>one-arsuperior.glif</string> <key>one-persian</key> <string>one-persian.glif</string> <key>one-persianinferior</key> <string>one-persianinferior.glif</string> <key>one-persiansuperior</key> <string>one-persiansuperior.glif</string> <key>one.dnom</key> <string>one.dnom.glif</string> <key>one.half</key> <string>one.half.glif</string> <key>one.numr</key> <string>one.numr.glif</string> <key>onedotenleader</key> <string>onedotenleader.glif</string> <key>oneeighth</key> <string>oneeighth.glif</string> <key>oneeighth.BRACKET.500</key> <string>oneeighth.B_R_A_C_K_E_T_.500.glif</string> <key>onehalf</key> <string>onehalf.glif</string> <key>onehalf.BRACKET.500</key> <string>onehalf.B_R_A_C_K_E_T_.500.glif</string> <key>oneinferior</key> <string>oneinferior.glif</string> <key>onequarter</key> <string>onequarter.glif</string> <key>onequarter.BRACKET.500</key> <string>onequarter.B_R_A_C_K_E_T_.500.glif</string> <key>onesuperior</key> <string>onesuperior.glif</string> <key>oogonek</key> <string>oogonek.glif</string> <key>oopen</key> <string>oopen.glif</string> <key>ordfeminine</key> <string>ordfeminine.glif</string> <key>ordmasculine</key> <string>ordmasculine.glif</string> <key>orthogonal</key> <string>orthogonal.glif</string> <key>oslash</key> <string>oslash.glif</string> <key>oslashacute</key> <string>oslashacute.glif</string> <key>otilde</key> <string>otilde.glif</string> <key>overline</key> <string>overline.glif</string> <key>p</key> <string>p.glif</string> <key>pagenumber-ar</key> <string>pagenumber-ar.glif</string> <key>palochka-cy</key> <string>palochka-cy.glif</string> <key>paragraph</key> <string>paragraph.glif</string> <key>parenleft</key> <string>parenleft.glif</string> <key>parenleft-ar</key> <string>parenleft-ar.glif</string> <key>parenleft_asterisk.liga</key> <string>parenleft_asterisk.liga.glif</string> <key>parenright</key> <string>parenright.glif</string> <key>parenright-ar</key> <string>parenright-ar.glif</string> <key>partialdiff</key> <string>partialdiff.glif</string> <key>paseq-hb</key> <string>paseq-hb.glif</string> <key>patah-hb</key> <string>patah-hb.glif</string> <key>pe-cy</key> <string>pe-cy.glif</string> <key>pe-cy.loclBGR</key> <string>pe-cy.loclB_G_R_.glif</string> <key>pe-hb</key> <string>pe-hb.glif</string> <key>pedagesh-hb</key> <string>pedagesh-hb.glif</string> <key>pedagesh-hb.BRACKET.600</key> <string>pedagesh-hb.B_R_A_C_K_E_T_.600.glif</string> <key>peh-ar</key> <string>peh-ar.glif</string> <key>peh-ar.alt</key> <string>peh-ar.alt.glif</string> <key>peh-ar.fina</key> <string>peh-ar.fina.glif</string> <key>peh-ar.fina.alt</key> <string>peh-ar.fina.alt.glif</string> <key>peh-ar.init</key> <string>peh-ar.init.glif</string> <key>peh-ar.init.alt</key> <string>peh-ar.init.alt.glif</string> <key>peh-ar.medi</key> <string>peh-ar.medi.glif</string> <key>pehMeemabove-ar</key> <string>pehM_eemabove-ar.glif</string> <key>pehMeemabove-ar.alt</key> <string>pehM_eemabove-ar.alt.glif</string> <key>pehMeemabove-ar.fina</key> <string>pehM_eemabove-ar.fina.glif</string> <key>pehMeemabove-ar.fina.alt</key> <string>pehM_eemabove-ar.fina.alt.glif</string> <key>pehMeemabove-ar.init</key> <string>pehM_eemabove-ar.init.glif</string> <key>pehMeemabove-ar.init.alt</key> <string>pehM_eemabove-ar.init.alt.glif</string> <key>pehMeemabove-ar.medi</key> <string>pehM_eemabove-ar.medi.glif</string> <key>peheh-ar</key> <string>peheh-ar.glif</string> <key>peheh-ar.alt</key> <string>peheh-ar.alt.glif</string> <key>peheh-ar.fina</key> <string>peheh-ar.fina.glif</string> <key>peheh-ar.fina.alt</key> <string>peheh-ar.fina.alt.glif</string> <key>peheh-ar.init</key> <string>peheh-ar.init.glif</string> <key>peheh-ar.init.alt</key> <string>peheh-ar.init.alt.glif</string> <key>peheh-ar.medi</key> <string>peheh-ar.medi.glif</string> <key>percent</key> <string>percent.glif</string> <key>percent-ar</key> <string>percent-ar.glif</string> <key>percent_percent.liga</key> <string>percent_percent.liga.glif</string> <key>period</key> <string>period.glif</string> <key>period_equal.liga</key> <string>period_equal.liga.glif</string> <key>period_hyphen.liga</key> <string>period_hyphen.liga.glif</string> <key>period_period.liga</key> <string>period_period.liga.glif</string> <key>period_period_equal.liga</key> <string>period_period_equal.liga.glif</string> <key>period_period_less.liga</key> <string>period_period_less.liga.glif</string> <key>period_period_period.liga</key> <string>period_period_period.liga.glif</string> <key>period_question.liga</key> <string>period_question.liga.glif</string> <key>periodcentered</key> <string>periodcentered.glif</string> <key>perispomenicomb</key> <string>perispomenicomb.glif</string> <key>perthousand</key> <string>perthousand.glif</string> <key>perthousand-ar</key> <string>perthousand-ar.glif</string> <key>peseta</key> <string>peseta.glif</string> <key>peso</key> <string>peso.glif</string> <key>phi</key> <string>phi.glif</string> <key>pi</key> <string>pi.glif</string> <key>plus</key> <string>plus.glif</string> <key>plus_greater.liga</key> <string>plus_greater.liga.glif</string> <key>plus_plus.liga</key> <string>plus_plus.liga.glif</string> <key>plus_plus_plus.liga</key> <string>plus_plus_plus.liga.glif</string> <key>plusminus</key> <string>plusminus.glif</string> <key>prescription</key> <string>prescription.glif</string> <key>product</key> <string>product.glif</string> <key>psi</key> <string>psi.glif</string> <key>published</key> <string>published.glif</string> <key>punctuationspace</key> <string>punctuationspace.glif</string> <key>q</key> <string>q.glif</string> <key>qaf-ar</key> <string>qaf-ar.glif</string> <key>qaf-ar.fina</key> <string>qaf-ar.fina.glif</string> <key>qaf-ar.init</key> <string>qaf-ar.init.glif</string> <key>qaf-ar.init.alt</key> <string>qaf-ar.init.alt.glif</string> <key>qaf-ar.medi</key> <string>qaf-ar.medi.glif</string> <key>qafAfrican-ar</key> <string>qafA_frican-ar.glif</string> <key>qafAfrican-ar.fina</key> <string>qafA_frican-ar.fina.glif</string> <key>qafAfrican-ar.init</key> <string>qafA_frican-ar.init.glif</string> <key>qafAfrican-ar.init.alt</key> <string>qafA_frican-ar.init.alt.glif</string> <key>qafAfrican-ar.medi</key> <string>qafA_frican-ar.medi.glif</string> <key>qafDotabove-ar</key> <string>qafD_otabove-ar.glif</string> <key>qafDotabove-ar.fina</key> <string>qafD_otabove-ar.fina.glif</string> <key>qafDotabove-ar.init</key> <string>qafD_otabove-ar.init.glif</string> <key>qafDotabove-ar.init.alt</key> <string>qafD_otabove-ar.init.alt.glif</string> <key>qafDotabove-ar.medi</key> <string>qafD_otabove-ar.medi.glif</string> <key>qafDotbelow-ar</key> <string>qafD_otbelow-ar.glif</string> <key>qafDotbelow-ar.fina</key> <string>qafD_otbelow-ar.fina.glif</string> <key>qafDotbelow-ar.init</key> <string>qafD_otbelow-ar.init.glif</string> <key>qafDotbelow-ar.medi</key> <string>qafD_otbelow-ar.medi.glif</string> <key>qafDotless-ar</key> <string>qafD_otless-ar.glif</string> <key>qafDotless-ar.fina</key> <string>qafD_otless-ar.fina.glif</string> <key>qafDotless-ar.init</key> <string>qafD_otless-ar.init.glif</string> <key>qafDotless-ar.init.alt</key> <string>qafD_otless-ar.init.alt.glif</string> <key>qafDotless-ar.medi</key> <string>qafD_otless-ar.medi.glif</string> <key>qafThreedotsabove-ar</key> <string>qafT_hreedotsabove-ar.glif</string> <key>qafThreedotsabove-ar.fina</key> <string>qafT_hreedotsabove-ar.fina.glif</string> <key>qafThreedotsabove-ar.init</key> <string>qafT_hreedotsabove-ar.init.glif</string> <key>qafThreedotsabove-ar.medi</key> <string>qafT_hreedotsabove-ar.medi.glif</string> <key>qamats-hb</key> <string>qamats-hb.glif</string> <key>qamatsqatan-hb</key> <string>qamatsqatan-hb.glif</string> <key>qof-hb</key> <string>qof-hb.glif</string> <key>qofdagesh-hb</key> <string>qofdagesh-hb.glif</string> <key>question</key> <string>question.glif</string> <key>question-ar</key> <string>question-ar.glif</string> <key>question_colon.liga</key> <string>question_colon.liga.glif</string> <key>question_equal.liga</key> <string>question_equal.liga.glif</string> <key>question_period.liga</key> <string>question_period.liga.glif</string> <key>question_question.liga</key> <string>question_question.liga.glif</string> <key>question_question_equal.liga</key> <string>question_question_equal.liga.glif</string> <key>questiondown</key> <string>questiondown.glif</string> <key>questiongreek</key> <string>questiongreek.glif</string> <key>quotedbl</key> <string>quotedbl.glif</string> <key>quotedblbase</key> <string>quotedblbase.glif</string> <key>quotedblleft</key> <string>quotedblleft.glif</string> <key>quotedblright</key> <string>quotedblright.glif</string> <key>quoteleft</key> <string>quoteleft.glif</string> <key>quotereversed</key> <string>quotereversed.glif</string> <key>quoteright</key> <string>quoteright.glif</string> <key>quotesinglbase</key> <string>quotesinglbase.glif</string> <key>quotesingle</key> <string>quotesingle.glif</string> <key>r</key> <string>r.glif</string> <key>racute</key> <string>racute.glif</string> <key>radical</key> <string>radical.glif</string> <key>ratio</key> <string>ratio.glif</string> <key>ray-ar</key> <string>ray-ar.glif</string> <key>rcaron</key> <string>rcaron.glif</string> <key>rcommaaccent</key> <string>rcommaaccent.glif</string> <key>rdotbelow</key> <string>rdotbelow.glif</string> <key>recordSeparatorControl</key> <string>recordS_eparatorC_ontrol.glif</string> <key>registered</key> <string>registered.glif</string> <key>reh-ar</key> <string>reh-ar.glif</string> <key>reh-ar.fina</key> <string>reh-ar.fina.glif</string> <key>rehAlefabove-ar</key> <string>rehA_lefabove-ar.glif</string> <key>rehAlefabove-ar.fina</key> <string>rehA_lefabove-ar.fina.glif</string> <key>rehDotbelow-ar</key> <string>rehD_otbelow-ar.glif</string> <key>rehDotbelow-ar.fina</key> <string>rehD_otbelow-ar.fina.glif</string> <key>rehDotbelowdotabove-ar</key> <string>rehD_otbelowdotabove-ar.glif</string> <key>rehDotbelowdotabove-ar.fina</key> <string>rehD_otbelowdotabove-ar.fina.glif</string> <key>rehFourdots-ar</key> <string>rehF_ourdots-ar.glif</string> <key>rehFourdots-ar.fina</key> <string>rehF_ourdots-ar.fina.glif</string> <key>rehHamzaabove-ar</key> <string>rehH_amzaabove-ar.glif</string> <key>rehHamzaabove-ar.fina</key> <string>rehH_amzaabove-ar.fina.glif</string> <key>rehLoop-ar</key> <string>rehL_oop-ar.glif</string> <key>rehLoop-ar.fina</key> <string>rehL_oop-ar.fina.glif</string> <key>rehRing-ar</key> <string>rehR_ing-ar.glif</string> <key>rehRing-ar.fina</key> <string>rehR_ing-ar.fina.glif</string> <key>rehStroke-ar</key> <string>rehS_troke-ar.glif</string> <key>rehStroke-ar.fina</key> <string>rehS_troke-ar.fina.glif</string> <key>rehTwodots-ar</key> <string>rehT_wodots-ar.glif</string> <key>rehTwodots-ar.fina</key> <string>rehT_wodots-ar.fina.glif</string> <key>rehTwodotshorizontalaboveTahabove-ar</key> <string>rehT_wodotshorizontalaboveT_ahabove-ar.glif</string> <key>rehTwodotshorizontalaboveTahabove-ar.fina</key> <string>rehT_wodotshorizontalaboveT_ahabove-ar.fina.glif</string> <key>rehTwodotsverticalabove-ar</key> <string>rehT_wodotsverticalabove-ar.glif</string> <key>rehTwodotsverticalabove-ar.fina</key> <string>rehT_wodotsverticalabove-ar.fina.glif</string> <key>rehVbelow-ar</key> <string>rehV_below-ar.glif</string> <key>rehVbelow-ar.fina</key> <string>rehV_below-ar.fina.glif</string> <key>rehVinvertedabove-ar</key> <string>rehV_invertedabove-ar.glif</string> <key>rehVinvertedabove-ar.fina</key> <string>rehV_invertedabove-ar.fina.glif</string> <key>rehv-ar</key> <string>rehv-ar.glif</string> <key>rehv-ar.fina</key> <string>rehv-ar.fina.glif</string> <key>replacementCharacter</key> <string>replacementC_haracter.glif</string> <key>resh-hb</key> <string>resh-hb.glif</string> <key>reshdagesh-hb</key> <string>reshdagesh-hb.glif</string> <key>returnsymbol</key> <string>returnsymbol.glif</string> <key>reversedRotatedFloralHeartBullet</key> <string>reversedR_otatedF_loralH_eartB_ullet.glif</string> <key>rho</key> <string>rho.glif</string> <key>rightArrow</key> <string>rightA_rrow.glif</string> <key>rightBlackPointer</key> <string>rightB_lackP_ointer.glif</string> <key>rightBlackSmallTriangle</key> <string>rightB_lackS_mallT_riangle.glif</string> <key>rightBlackTriangle</key> <string>rightB_lackT_riangle.glif</string> <key>rightBlock</key> <string>rightB_lock.glif</string> <key>rightBlock.stypo</key> <string>rightB_lock.stypo.glif</string> <key>rightHalfBlackCircle</key> <string>rightH_alfB_lackC_ircle.glif</string> <key>rightHalfBlackDiamond</key> <string>rightH_alfB_lackD_iamond.glif</string> <key>rightHalfBlackSquare</key> <string>rightH_alfB_lackS_quare.glif</string> <key>rightHalfBlackWhiteCircle</key> <string>rightH_alfB_lackW_hiteC_ircle.glif</string> <key>rightOneEighthBlock</key> <string>rightO_neE_ighthB_lock.glif</string> <key>rightOneEighthBlock.stypo</key> <string>rightO_neE_ighthB_lock.stypo.glif</string> <key>rightWhitePointer</key> <string>rightW_hiteP_ointer.glif</string> <key>rightWhiteSmallTriangle</key> <string>rightW_hiteS_mallT_riangle.glif</string> <key>rightWhiteTriangle</key> <string>rightW_hiteT_riangle.glif</string> <key>ring</key> <string>ring.glif</string> <key>ringArabic</key> <string>ringA_rabic.glif</string> <key>ringbelowcomb</key> <string>ringbelowcomb.glif</string> <key>ringcomb</key> <string>ringcomb.glif</string> <key>ringcomb.case</key> <string>ringcomb.case.glif</string> <key>rnoon-ar</key> <string>rnoon-ar.glif</string> <key>rnoon-ar.fina</key> <string>rnoon-ar.fina.glif</string> <key>rnoon-ar.init</key> <string>rnoon-ar.init.glif</string> <key>rnoon-ar.init.alt</key> <string>rnoon-ar.init.alt.glif</string> <key>rnoon-ar.medi</key> <string>rnoon-ar.medi.glif</string> <key>rotatedFloralHeartBullet</key> <string>rotatedF_loralH_eartB_ullet.glif</string> <key>rreh-ar</key> <string>rreh-ar.glif</string> <key>rreh-ar.fina</key> <string>rreh-ar.fina.glif</string> <key>ruble</key> <string>ruble.glif</string> <key>rupee</key> <string>rupee.glif</string> <key>rupeeIndian</key> <string>rupeeI_ndian.glif</string> <key>s</key> <string>s.glif</string> <key>sacute</key> <string>sacute.glif</string> <key>sacute.loclPLK</key> <string>sacute.loclP_L_K_.glif</string> <key>sad-ar</key> <string>sad-ar.glif</string> <key>sad-ar.alt</key> <string>sad-ar.alt.glif</string> <key>sad-ar.fina</key> <string>sad-ar.fina.glif</string> <key>sad-ar.fina.alt</key> <string>sad-ar.fina.alt.glif</string> <key>sad-ar.init</key> <string>sad-ar.init.glif</string> <key>sad-ar.medi</key> <string>sad-ar.medi.glif</string> <key>sadThreedots-ar</key> <string>sadT_hreedots-ar.glif</string> <key>sadThreedots-ar.alt</key> <string>sadT_hreedots-ar.alt.glif</string> <key>sadThreedots-ar.fina</key> <string>sadT_hreedots-ar.fina.glif</string> <key>sadThreedots-ar.fina.alt</key> <string>sadT_hreedots-ar.fina.alt.glif</string> <key>sadThreedots-ar.init</key> <string>sadT_hreedots-ar.init.glif</string> <key>sadThreedots-ar.medi</key> <string>sadT_hreedots-ar.medi.glif</string> <key>sadThreedotsbelow-ar</key> <string>sadT_hreedotsbelow-ar.glif</string> <key>sadThreedotsbelow-ar.alt</key> <string>sadT_hreedotsbelow-ar.alt.glif</string> <key>sadThreedotsbelow-ar.fina</key> <string>sadT_hreedotsbelow-ar.fina.glif</string> <key>sadThreedotsbelow-ar.fina.alt</key> <string>sadT_hreedotsbelow-ar.fina.alt.glif</string> <key>sadThreedotsbelow-ar.init</key> <string>sadT_hreedotsbelow-ar.init.glif</string> <key>sadThreedotsbelow-ar.medi</key> <string>sadT_hreedotsbelow-ar.medi.glif</string> <key>sadTwodotsbelow-ar</key> <string>sadT_wodotsbelow-ar.glif</string> <key>sadTwodotsbelow-ar.alt</key> <string>sadT_wodotsbelow-ar.alt.glif</string> <key>sadTwodotsbelow-ar.fina</key> <string>sadT_wodotsbelow-ar.fina.glif</string> <key>sadTwodotsbelow-ar.fina.alt</key> <string>sadT_wodotsbelow-ar.fina.alt.glif</string> <key>sadTwodotsbelow-ar.init</key> <string>sadT_wodotsbelow-ar.init.glif</string> <key>sadTwodotsbelow-ar.medi</key> <string>sadT_wodotsbelow-ar.medi.glif</string> <key>samekh-hb</key> <string>samekh-hb.glif</string> <key>samekhdagesh-hb</key> <string>samekhdagesh-hb.glif</string> <key>samvat-ar</key> <string>samvat-ar.glif</string> <key>scaron</key> <string>scaron.glif</string> <key>scedilla</key> <string>scedilla.glif</string> <key>schwa</key> <string>schwa.glif</string> <key>schwa-cy</key> <string>schwa-cy.glif</string> <key>scircumflex</key> <string>scircumflex.glif</string> <key>scommaaccent</key> <string>scommaaccent.glif</string> <key>sdotbelow</key> <string>sdotbelow.glif</string> <key>second</key> <string>second.glif</string> <key>section</key> <string>section.glif</string> <key>seen-ar</key> <string>seen-ar.glif</string> <key>seen-ar.alt</key> <string>seen-ar.alt.glif</string> <key>seen-ar.fina</key> <string>seen-ar.fina.glif</string> <key>seen-ar.fina.alt</key> <string>seen-ar.fina.alt.glif</string> <key>seen-ar.init</key> <string>seen-ar.init.glif</string> <key>seen-ar.medi</key> <string>seen-ar.medi.glif</string> <key>seenDotbelowDotabove-ar</key> <string>seenD_otbelowD_otabove-ar.glif</string> <key>seenDotbelowDotabove-ar.alt</key> <string>seenD_otbelowD_otabove-ar.alt.glif</string> <key>seenDotbelowDotabove-ar.fina</key> <string>seenD_otbelowD_otabove-ar.fina.glif</string> <key>seenDotbelowDotabove-ar.fina.alt</key> <string>seenD_otbelowD_otabove-ar.fina.alt.glif</string> <key>seenDotbelowDotabove-ar.init</key> <string>seenD_otbelowD_otabove-ar.init.glif</string> <key>seenDotbelowDotabove-ar.medi</key> <string>seenD_otbelowD_otabove-ar.medi.glif</string> <key>seenFourabove-ar</key> <string>seenF_ourabove-ar.glif</string> <key>seenFourabove-ar.alt</key> <string>seenF_ourabove-ar.alt.glif</string> <key>seenFourabove-ar.fina</key> <string>seenF_ourabove-ar.fina.glif</string> <key>seenFourabove-ar.fina.alt</key> <string>seenF_ourabove-ar.fina.alt.glif</string> <key>seenFourabove-ar.init</key> <string>seenF_ourabove-ar.init.glif</string> <key>seenFourabove-ar.medi</key> <string>seenF_ourabove-ar.medi.glif</string> <key>seenFourdotsabove-ar</key> <string>seenF_ourdotsabove-ar.glif</string> <key>seenFourdotsabove-ar.alt</key> <string>seenF_ourdotsabove-ar.alt.glif</string> <key>seenFourdotsabove-ar.fina</key> <string>seenF_ourdotsabove-ar.fina.glif</string> <key>seenFourdotsabove-ar.fina.alt</key> <string>seenF_ourdotsabove-ar.fina.alt.glif</string> <key>seenFourdotsabove-ar.init</key> <string>seenF_ourdotsabove-ar.init.glif</string> <key>seenFourdotsabove-ar.medi</key> <string>seenF_ourdotsabove-ar.medi.glif</string> <key>seenTahTwodotshorizontalabove-ar</key> <string>seenT_ahT_wodotshorizontalabove-ar.glif</string> <key>seenTahTwodotshorizontalabove-ar.alt</key> <string>seenT_ahT_wodotshorizontalabove-ar.alt.glif</string> <key>seenTahTwodotshorizontalabove-ar.fina</key> <string>seenT_ahT_wodotshorizontalabove-ar.fina.glif</string> <key>seenTahTwodotshorizontalabove-ar.fina.alt</key> <string>seenT_ahT_wodotshorizontalabove-ar.fina.alt.glif</string> <key>seenTahTwodotshorizontalabove-ar.init</key> <string>seenT_ahT_wodotshorizontalabove-ar.init.glif</string> <key>seenTahTwodotshorizontalabove-ar.medi</key> <string>seenT_ahT_wodotshorizontalabove-ar.medi.glif</string> <key>seenThreedotsbelow-ar</key> <string>seenT_hreedotsbelow-ar.glif</string> <key>seenThreedotsbelow-ar.alt</key> <string>seenT_hreedotsbelow-ar.alt.glif</string> <key>seenThreedotsbelow-ar.fina</key> <string>seenT_hreedotsbelow-ar.fina.glif</string> <key>seenThreedotsbelow-ar.fina.alt</key> <string>seenT_hreedotsbelow-ar.fina.alt.glif</string> <key>seenThreedotsbelow-ar.init</key> <string>seenT_hreedotsbelow-ar.init.glif</string> <key>seenThreedotsbelow-ar.medi</key> <string>seenT_hreedotsbelow-ar.medi.glif</string> <key>seenThreedotsbelowthreedots-ar</key> <string>seenT_hreedotsbelowthreedots-ar.glif</string> <key>seenThreedotsbelowthreedots-ar.alt</key> <string>seenT_hreedotsbelowthreedots-ar.alt.glif</string> <key>seenThreedotsbelowthreedots-ar.fina</key> <string>seenT_hreedotsbelowthreedots-ar.fina.glif</string> <key>seenThreedotsbelowthreedots-ar.fina.alt</key> <string>seenT_hreedotsbelowthreedots-ar.fina.alt.glif</string> <key>seenThreedotsbelowthreedots-ar.init</key> <string>seenT_hreedotsbelowthreedots-ar.init.glif</string> <key>seenThreedotsbelowthreedots-ar.medi</key> <string>seenT_hreedotsbelowthreedots-ar.medi.glif</string> <key>seenTwodotshorizontalabove-ar</key> <string>seenT_wodotshorizontalabove-ar.glif</string> <key>seenTwodotshorizontalabove-ar.fina</key> <string>seenT_wodotshorizontalabove-ar.fina.glif</string> <key>seenTwodotshorizontalabove-ar.init</key> <string>seenT_wodotshorizontalabove-ar.init.glif</string> <key>seenTwodotshorizontalabove-ar.medi</key> <string>seenT_wodotshorizontalabove-ar.medi.glif</string> <key>seenTwodotsverticalabove-ar.alt</key> <string>seenT_wodotsverticalabove-ar.alt.glif</string> <key>seenTwodotsverticalabove-ar.fina.alt</key> <string>seenT_wodotsverticalabove-ar.fina.alt.glif</string> <key>seenVinvertedabove-ar</key> <string>seenV_invertedabove-ar.glif</string> <key>seenVinvertedabove-ar.alt</key> <string>seenV_invertedabove-ar.alt.glif</string> <key>seenVinvertedabove-ar.fina</key> <string>seenV_invertedabove-ar.fina.glif</string> <key>seenVinvertedabove-ar.fina.alt</key> <string>seenV_invertedabove-ar.fina.alt.glif</string> <key>seenVinvertedabove-ar.init</key> <string>seenV_invertedabove-ar.init.glif</string> <key>seenVinvertedabove-ar.medi</key> <string>seenV_invertedabove-ar.medi.glif</string> <key>semicolon</key> <string>semicolon.glif</string> <key>semicolon-ar</key> <string>semicolon-ar.glif</string> <key>semicolon_semicolon.liga</key> <string>semicolon_semicolon.liga.glif</string> <key>seven</key> <string>seven.glif</string> <key>seven-ar</key> <string>seven-ar.glif</string> <key>seven-arinferior</key> <string>seven-arinferior.glif</string> <key>seven-arsuperior</key> <string>seven-arsuperior.glif</string> <key>seven-persian</key> <string>seven-persian.glif</string> <key>seven-persian.urdu</key> <string>seven-persian.urdu.glif</string> <key>seven-persian.urduinferior</key> <string>seven-persian.urduinferior.glif</string> <key>seven-persian.urdusuperior</key> <string>seven-persian.urdusuperior.glif</string> <key>seven-persianinferior</key> <string>seven-persianinferior.glif</string> <key>seven-persiansuperior</key> <string>seven-persiansuperior.glif</string> <key>seven.dnom</key> <string>seven.dnom.glif</string> <key>seven.numr</key> <string>seven.numr.glif</string> <key>seveneighths</key> <string>seveneighths.glif</string> <key>seveneighths.BRACKET.500</key> <string>seveneighths.B_R_A_C_K_E_T_.500.glif</string> <key>seveninferior</key> <string>seveninferior.glif</string> <key>sevensuperior</key> <string>sevensuperior.glif</string> <key>sha-cy</key> <string>sha-cy.glif</string> <key>sha-cy.loclBGR</key> <string>sha-cy.loclB_G_R_.glif</string> <key>shadda-ar</key> <string>shadda-ar.glif</string> <key>shadedark</key> <string>shadedark.glif</string> <key>shadedark.stypo</key> <string>shadedark.stypo.glif</string> <key>shadelight</key> <string>shadelight.glif</string> <key>shadelight.stypo</key> <string>shadelight.stypo.glif</string> <key>shademedium</key> <string>shademedium.glif</string> <key>shademedium.stypo</key> <string>shademedium.stypo.glif</string> <key>shcha-cy</key> <string>shcha-cy.glif</string> <key>shcha-cy.loclBGR</key> <string>shcha-cy.loclB_G_R_.glif</string> <key>sheen-ar</key> <string>sheen-ar.glif</string> <key>sheen-ar.alt</key> <string>sheen-ar.alt.glif</string> <key>sheen-ar.fina</key> <string>sheen-ar.fina.glif</string> <key>sheen-ar.fina.alt</key> <string>sheen-ar.fina.alt.glif</string> <key>sheen-ar.init</key> <string>sheen-ar.init.glif</string> <key>sheen-ar.medi</key> <string>sheen-ar.medi.glif</string> <key>sheenDotbelow-ar</key> <string>sheenD_otbelow-ar.glif</string> <key>sheenDotbelow-ar.alt</key> <string>sheenD_otbelow-ar.alt.glif</string> <key>sheenDotbelow-ar.fina</key> <string>sheenD_otbelow-ar.fina.glif</string> <key>sheenDotbelow-ar.fina.alt</key> <string>sheenD_otbelow-ar.fina.alt.glif</string> <key>sheenDotbelow-ar.init</key> <string>sheenD_otbelow-ar.init.glif</string> <key>sheenDotbelow-ar.medi</key> <string>sheenD_otbelow-ar.medi.glif</string> <key>sheqel</key> <string>sheqel.glif</string> <key>shha-cy</key> <string>shha-cy.glif</string> <key>shiftInControl</key> <string>shiftI_nC_ontrol.glif</string> <key>shiftInControl.ss20</key> <string>shiftI_nC_ontrol.ss20.glif</string> <key>shiftOutControl</key> <string>shiftO_utC_ontrol.glif</string> <key>shiftOutControl.ss20</key> <string>shiftO_utC_ontrol.ss20.glif</string> <key>shin-hb</key> <string>shin-hb.glif</string> <key>shindagesh-hb</key> <string>shindagesh-hb.glif</string> <key>shindageshshindot-hb</key> <string>shindageshshindot-hb.glif</string> <key>shindageshsindot-hb</key> <string>shindageshsindot-hb.glif</string> <key>shindot-hb</key> <string>shindot-hb.glif</string> <key>shinshindot-hb</key> <string>shinshindot-hb.glif</string> <key>shinsindot-hb</key> <string>shinsindot-hb.glif</string> <key>sigma</key> <string>sigma.glif</string> <key>sigmafinal</key> <string>sigmafinal.glif</string> <key>sindhiampersand-ar</key> <string>sindhiampersand-ar.glif</string> <key>sindhipostpositionmen-ar</key> <string>sindhipostpositionmen-ar.glif</string> <key>sindot-hb</key> <string>sindot-hb.glif</string> <key>six</key> <string>six.glif</string> <key>six-ar</key> <string>six-ar.glif</string> <key>six-arinferior</key> <string>six-arinferior.glif</string> <key>six-arsuperior</key> <string>six-arsuperior.glif</string> <key>six-persian</key> <string>six-persian.glif</string> <key>six-persianinferior</key> <string>six-persianinferior.glif</string> <key>six-persiansuperior</key> <string>six-persiansuperior.glif</string> <key>six.dnom</key> <string>six.dnom.glif</string> <key>six.numr</key> <string>six.numr.glif</string> <key>sixinferior</key> <string>sixinferior.glif</string> <key>sixsuperior</key> <string>sixsuperior.glif</string> <key>slash</key> <string>slash.glif</string> <key>slash_asterisk.liga</key> <string>slash_asterisk.liga.glif</string> <key>slash_backslash.liga</key> <string>slash_backslash.liga.glif</string> <key>slash_equal_end.seq</key> <string>slash_equal_end.seq.glif</string> <key>slash_equal_middle.seq</key> <string>slash_equal_middle.seq.glif</string> <key>slash_equal_start.seq</key> <string>slash_equal_start.seq.glif</string> <key>slash_greater.liga</key> <string>slash_greater.liga.glif</string> <key>slash_slash.liga</key> <string>slash_slash.liga.glif</string> <key>slash_slash_equal_end.seq</key> <string>slash_slash_equal_end.seq.glif</string> <key>slash_slash_equal_middle.seq</key> <string>slash_slash_equal_middle.seq.glif</string> <key>slash_slash_equal_start.seq</key> <string>slash_slash_equal_start.seq.glif</string> <key>slash_slash_slash.liga</key> <string>slash_slash_slash.liga.glif</string> <key>softhyphen</key> <string>softhyphen.glif</string> <key>softsign-cy</key> <string>softsign-cy.glif</string> <key>softsign-cy.loclBGR</key> <string>softsign-cy.loclB_G_R_.glif</string> <key>space</key> <string>space.glif</string> <key>spaceControl</key> <string>spaceC_ontrol.glif</string> <key>spadeBlackSuit</key> <string>spadeB_lackS_uit.glif</string> <key>startOfHeadingControl</key> <string>startO_fH_eadingC_ontrol.glif</string> <key>startOfHeadingControl.ss20</key> <string>startO_fH_eadingC_ontrol.ss20.glif</string> <key>startOfTextControl</key> <string>startO_fT_extC_ontrol.glif</string> <key>startOfTextControl.ss20</key> <string>startO_fT_extC_ontrol.ss20.glif</string> <key>sterling</key> <string>sterling.glif</string> <key>strictlyequivalentto</key> <string>strictlyequivalentto.glif</string> <key>substituteControl</key> <string>substituteC_ontrol.glif</string> <key>substituteControl.ss20</key> <string>substituteC_ontrol.ss20.glif</string> <key>substituteFormTwoControl</key> <string>substituteF_ormT_woC_ontrol.glif</string> <key>sukun-ar</key> <string>sukun-ar.glif</string> <key>summation</key> <string>summation.glif</string> <key>sunWithRays</key> <string>sunW_ithR_ays.glif</string> <key>synchronousIdleControl</key> <string>synchronousI_dleC_ontrol.glif</string> <key>synchronousIdleControl.ss20</key> <string>synchronousI_dleC_ontrol.ss20.glif</string> <key>t</key> <string>t.glif</string> <key>tah-ar</key> <string>tah-ar.glif</string> <key>tah-ar.fina</key> <string>tah-ar.fina.glif</string> <key>tah-ar.init</key> <string>tah-ar.init.glif</string> <key>tah-ar.medi</key> <string>tah-ar.medi.glif</string> <key>tahThreedots-ar</key> <string>tahT_hreedots-ar.glif</string> <key>tahThreedots-ar.fina</key> <string>tahT_hreedots-ar.fina.glif</string> <key>tahThreedots-ar.init</key> <string>tahT_hreedots-ar.init.glif</string> <key>tahThreedots-ar.medi</key> <string>tahT_hreedots-ar.medi.glif</string> <key>tahTwodotsabove-ar</key> <string>tahT_wodotsabove-ar.glif</string> <key>tahTwodotsabove-ar.fina</key> <string>tahT_wodotsabove-ar.fina.glif</string> <key>tahTwodotsabove-ar.init</key> <string>tahT_wodotsabove-ar.init.glif</string> <key>tahTwodotsabove-ar.medi</key> <string>tahT_wodotsabove-ar.medi.glif</string> <key>tahbelow-ar</key> <string>tahbelow-ar.glif</string> <key>tahcenter-ar</key> <string>tahcenter-ar.glif</string> <key>tau</key> <string>tau.glif</string> <key>tav-hb</key> <string>tav-hb.glif</string> <key>tavdagesh-hb</key> <string>tavdagesh-hb.glif</string> <key>tbar</key> <string>tbar.glif</string> <key>tcaron</key> <string>tcaron.glif</string> <key>tcedilla</key> <string>tcedilla.glif</string> <key>tcheh-ar</key> <string>tcheh-ar.glif</string> <key>tcheh-ar.fina</key> <string>tcheh-ar.fina.glif</string> <key>tcheh-ar.init</key> <string>tcheh-ar.init.glif</string> <key>tcheh-ar.medi</key> <string>tcheh-ar.medi.glif</string> <key>tchehDotabove-ar</key> <string>tchehD_otabove-ar.glif</string> <key>tchehDotabove-ar.fina</key> <string>tchehD_otabove-ar.fina.glif</string> <key>tchehDotabove-ar.init</key> <string>tchehD_otabove-ar.init.glif</string> <key>tchehDotabove-ar.medi</key> <string>tchehD_otabove-ar.medi.glif</string> <key>tcheheh-ar</key> <string>tcheheh-ar.glif</string> <key>tcheheh-ar.fina</key> <string>tcheheh-ar.fina.glif</string> <key>tcheheh-ar.init</key> <string>tcheheh-ar.init.glif</string> <key>tcheheh-ar.medi</key> <string>tcheheh-ar.medi.glif</string> <key>tcommaaccent</key> <string>tcommaaccent.glif</string> <key>te-cy</key> <string>te-cy.glif</string> <key>te-cy.loclBGR</key> <string>te-cy.loclB_G_R_.glif</string> <key>teh-ar</key> <string>teh-ar.glif</string> <key>teh-ar.alt</key> <string>teh-ar.alt.glif</string> <key>teh-ar.fina</key> <string>teh-ar.fina.glif</string> <key>teh-ar.fina.alt</key> <string>teh-ar.fina.alt.glif</string> <key>teh-ar.init</key> <string>teh-ar.init.glif</string> <key>teh-ar.init.alt</key> <string>teh-ar.init.alt.glif</string> <key>teh-ar.medi</key> <string>teh-ar.medi.glif</string> <key>tehMarbuta-ar</key> <string>tehM_arbuta-ar.glif</string> <key>tehMarbuta-ar.fina</key> <string>tehM_arbuta-ar.fina.glif</string> <key>tehMarbutagoal-ar</key> <string>tehM_arbutagoal-ar.glif</string> <key>tehMarbutagoal-ar.fina</key> <string>tehM_arbutagoal-ar.fina.glif</string> <key>tehRing-ar</key> <string>tehR_ing-ar.glif</string> <key>tehRing-ar.alt</key> <string>tehR_ing-ar.alt.glif</string> <key>tehRing-ar.fina</key> <string>tehR_ing-ar.fina.glif</string> <key>tehRing-ar.fina.alt</key> <string>tehR_ing-ar.fina.alt.glif</string> <key>tehRing-ar.init</key> <string>tehR_ing-ar.init.glif</string> <key>tehRing-ar.init.alt</key> <string>tehR_ing-ar.init.alt.glif</string> <key>tehRing-ar.medi</key> <string>tehR_ing-ar.medi.glif</string> <key>tehTehabove-ar</key> <string>tehT_ehabove-ar.glif</string> <key>tehTehabove-ar.alt</key> <string>tehT_ehabove-ar.alt.glif</string> <key>tehTehabove-ar.fina</key> <string>tehT_ehabove-ar.fina.glif</string> <key>tehTehabove-ar.fina.alt</key> <string>tehT_ehabove-ar.fina.alt.glif</string> <key>tehTehabove-ar.init</key> <string>tehT_ehabove-ar.init.glif</string> <key>tehTehabove-ar.init.alt</key> <string>tehT_ehabove-ar.init.alt.glif</string> <key>tehTehabove-ar.medi</key> <string>tehT_ehabove-ar.medi.glif</string> <key>tehThreedotsdown-ar</key> <string>tehT_hreedotsdown-ar.glif</string> <key>tehThreedotsdown-ar.alt</key> <string>tehT_hreedotsdown-ar.alt.glif</string> <key>tehThreedotsdown-ar.fina</key> <string>tehT_hreedotsdown-ar.fina.glif</string> <key>tehThreedotsdown-ar.fina.alt</key> <string>tehT_hreedotsdown-ar.fina.alt.glif</string> <key>tehThreedotsdown-ar.init</key> <string>tehT_hreedotsdown-ar.init.glif</string> <key>tehThreedotsdown-ar.init.alt</key> <string>tehT_hreedotsdown-ar.init.alt.glif</string> <key>tehThreedotsdown-ar.medi</key> <string>tehT_hreedotsdown-ar.medi.glif</string> <key>tehThreedotsupbelow-ar</key> <string>tehT_hreedotsupbelow-ar.glif</string> <key>tehThreedotsupbelow-ar.alt</key> <string>tehT_hreedotsupbelow-ar.alt.glif</string> <key>tehThreedotsupbelow-ar.fina</key> <string>tehT_hreedotsupbelow-ar.fina.glif</string> <key>tehThreedotsupbelow-ar.fina.alt</key> <string>tehT_hreedotsupbelow-ar.fina.alt.glif</string> <key>tehThreedotsupbelow-ar.init</key> <string>tehT_hreedotsupbelow-ar.init.glif</string> <key>tehThreedotsupbelow-ar.init.alt</key> <string>tehT_hreedotsupbelow-ar.init.alt.glif</string> <key>tehThreedotsupbelow-ar.medi</key> <string>tehT_hreedotsupbelow-ar.medi.glif</string> <key>tehabove-ar.small</key> <string>tehabove-ar.small.glif</string> <key>teheh-ar</key> <string>teheh-ar.glif</string> <key>teheh-ar.alt</key> <string>teheh-ar.alt.glif</string> <key>teheh-ar.fina</key> <string>teheh-ar.fina.glif</string> <key>teheh-ar.fina.alt</key> <string>teheh-ar.fina.alt.glif</string> <key>teheh-ar.init</key> <string>teheh-ar.init.glif</string> <key>teheh-ar.init.alt</key> <string>teheh-ar.init.alt.glif</string> <key>teheh-ar.medi</key> <string>teheh-ar.medi.glif</string> <key>tenge</key> <string>tenge.glif</string> <key>tesh</key> <string>tesh.glif</string> <key>tet-hb</key> <string>tet-hb.glif</string> <key>tetdagesh-hb</key> <string>tetdagesh-hb.glif</string> <key>thal-ar</key> <string>thal-ar.glif</string> <key>thal-ar.fina</key> <string>thal-ar.fina.glif</string> <key>thalAlefabove-ar</key> <string>thalA_lefabove-ar.glif</string> <key>thalAlefabove-ar.fina</key> <string>thalA_lefabove-ar.fina.glif</string> <key>theh-ar</key> <string>theh-ar.glif</string> <key>theh-ar.alt</key> <string>theh-ar.alt.glif</string> <key>theh-ar.fina</key> <string>theh-ar.fina.glif</string> <key>theh-ar.fina.alt</key> <string>theh-ar.fina.alt.glif</string> <key>theh-ar.init</key> <string>theh-ar.init.glif</string> <key>theh-ar.init.alt</key> <string>theh-ar.init.alt.glif</string> <key>theh-ar.medi</key> <string>theh-ar.medi.glif</string> <key>theta</key> <string>theta.glif</string> <key>thetamod</key> <string>thetamod.glif</string> <key>thorn</key> <string>thorn.glif</string> <key>thousandseparator-ar</key> <string>thousandseparator-ar.glif</string> <key>three</key> <string>three.glif</string> <key>three-ar</key> <string>three-ar.glif</string> <key>three-arinferior</key> <string>three-arinferior.glif</string> <key>three-arsuperior</key> <string>three-arsuperior.glif</string> <key>three-persian</key> <string>three-persian.glif</string> <key>three-persian.small01</key> <string>three-persian.small01.glif</string> <key>three-persianinferior</key> <string>three-persianinferior.glif</string> <key>three-persiansuperior</key> <string>three-persiansuperior.glif</string> <key>three.dnom</key> <string>three.dnom.glif</string> <key>three.half</key> <string>three.half.glif</string> <key>three.numr</key> <string>three.numr.glif</string> <key>threedots-ar</key> <string>threedots-ar.glif</string> <key>threedotsdownabove-ar</key> <string>threedotsdownabove-ar.glif</string> <key>threedotsdownbelow-ar</key> <string>threedotsdownbelow-ar.glif</string> <key>threedotsdowncenter-ar</key> <string>threedotsdowncenter-ar.glif</string> <key>threedotsupabove-ar</key> <string>threedotsupabove-ar.glif</string> <key>threedotsupabove-ar.v2</key> <string>threedotsupabove-ar.v2.glif</string> <key>threedotsupbelow-ar</key> <string>threedotsupbelow-ar.glif</string> <key>threedotsupcenter-ar</key> <string>threedotsupcenter-ar.glif</string> <key>threeeighths</key> <string>threeeighths.glif</string> <key>threeeighths.BRACKET.500</key> <string>threeeighths.B_R_A_C_K_E_T_.500.glif</string> <key>threeinferior</key> <string>threeinferior.glif</string> <key>threequarters</key> <string>threequarters.glif</string> <key>threequarters.BRACKET.500</key> <string>threequarters.B_R_A_C_K_E_T_.500.glif</string> <key>threesuperior</key> <string>threesuperior.glif</string> <key>tilde</key> <string>tilde.glif</string> <key>tildecomb</key> <string>tildecomb.glif</string> <key>tildecomb.case</key> <string>tildecomb.case.glif</string> <key>tonos</key> <string>tonos.glif</string> <key>tonos.case</key> <string>tonos.case.glif</string> <key>topHalfBlackCircle</key> <string>topH_alfB_lackC_ircle.glif</string> <key>topHalfBlackDiamond</key> <string>topH_alfB_lackD_iamond.glif</string> <key>topHalfWhiteSquare</key> <string>topH_alfW_hiteS_quare.glif</string> <key>topRightHalfWhiteSquare</key> <string>topR_ightH_alfW_hiteS_quare.glif</string> <key>trademark</key> <string>trademark.glif</string> <key>tsadi-hb</key> <string>tsadi-hb.glif</string> <key>tsadidagesh-hb</key> <string>tsadidagesh-hb.glif</string> <key>tse-cy</key> <string>tse-cy.glif</string> <key>tse-cy.loclBGR</key> <string>tse-cy.loclB_G_R_.glif</string> <key>tshe-cy</key> <string>tshe-cy.glif</string> <key>tteh-ar</key> <string>tteh-ar.glif</string> <key>tteh-ar.alt</key> <string>tteh-ar.alt.glif</string> <key>tteh-ar.fina</key> <string>tteh-ar.fina.glif</string> <key>tteh-ar.fina.alt</key> <string>tteh-ar.fina.alt.glif</string> <key>tteh-ar.init</key> <string>tteh-ar.init.glif</string> <key>tteh-ar.init.alt</key> <string>tteh-ar.init.alt.glif</string> <key>tteh-ar.medi</key> <string>tteh-ar.medi.glif</string> <key>tteheh-ar</key> <string>tteheh-ar.glif</string> <key>tteheh-ar.alt</key> <string>tteheh-ar.alt.glif</string> <key>tteheh-ar.fina</key> <string>tteheh-ar.fina.glif</string> <key>tteheh-ar.fina.alt</key> <string>tteheh-ar.fina.alt.glif</string> <key>tteheh-ar.init</key> <string>tteheh-ar.init.glif</string> <key>tteheh-ar.init.alt</key> <string>tteheh-ar.init.alt.glif</string> <key>tteheh-ar.medi</key> <string>tteheh-ar.medi.glif</string> <key>tugrik</key> <string>tugrik.glif</string> <key>two</key> <string>two.glif</string> <key>two-ar</key> <string>two-ar.glif</string> <key>two-arinferior</key> <string>two-arinferior.glif</string> <key>two-arsuperior</key> <string>two-arsuperior.glif</string> <key>two-persian</key> <string>two-persian.glif</string> <key>two-persian.small01</key> <string>two-persian.small01.glif</string> <key>two-persianinferior</key> <string>two-persianinferior.glif</string> <key>two-persiansuperior</key> <string>two-persiansuperior.glif</string> <key>two.dnom</key> <string>two.dnom.glif</string> <key>two.half</key> <string>two.half.glif</string> <key>two.numr</key> <string>two.numr.glif</string> <key>twodotshorizontalabove-ar</key> <string>twodotshorizontalabove-ar.glif</string> <key>twodotshorizontalabove-ar.v2</key> <string>twodotshorizontalabove-ar.v2.glif</string> <key>twodotshorizontalbelow-ar</key> <string>twodotshorizontalbelow-ar.glif</string> <key>twodotshorizontalcenter-ar</key> <string>twodotshorizontalcenter-ar.glif</string> <key>twodotstahbelow-ar</key> <string>twodotstahbelow-ar.glif</string> <key>twodotstahcenter-ar</key> <string>twodotstahcenter-ar.glif</string> <key>twodotsverticalabove-ar</key> <string>twodotsverticalabove-ar.glif</string> <key>twodotsverticalbelow-ar</key> <string>twodotsverticalbelow-ar.glif</string> <key>twodotsverticalcenter-ar</key> <string>twodotsverticalcenter-ar.glif</string> <key>twoinferior</key> <string>twoinferior.glif</string> <key>twosuperior</key> <string>twosuperior.glif</string> <key>u</key> <string>u.glif</string> <key>u-ar</key> <string>u-ar.glif</string> <key>u-ar.fina</key> <string>u-ar.fina.glif</string> <key>u-cy</key> <string>u-cy.glif</string> <key>uHamzaabove-ar</key> <string>uH_amzaabove-ar.glif</string> <key>uHamzaabove-ar.fina</key> <string>uH_amzaabove-ar.fina.glif</string> <key>uacute</key> <string>uacute.glif</string> <key>ubreve</key> <string>ubreve.glif</string> <key>ucircumflex</key> <string>ucircumflex.glif</string> <key>udieresis</key> <string>udieresis.glif</string> <key>udotbelow</key> <string>udotbelow.glif</string> <key>ugrave</key> <string>ugrave.glif</string> <key>uhookabove</key> <string>uhookabove.glif</string> <key>uhorn</key> <string>uhorn.glif</string> <key>uhornacute</key> <string>uhornacute.glif</string> <key>uhorndotbelow</key> <string>uhorndotbelow.glif</string> <key>uhorngrave</key> <string>uhorngrave.glif</string> <key>uhornhookabove</key> <string>uhornhookabove.glif</string> <key>uhorntilde</key> <string>uhorntilde.glif</string> <key>uhungarumlaut</key> <string>uhungarumlaut.glif</string> <key>umacron</key> <string>umacron.glif</string> <key>umacron-cy</key> <string>umacron-cy.glif</string> <key>underscore</key> <string>underscore.glif</string> <key>underscore_end.seq</key> <string>underscore_end.seq.glif</string> <key>underscore_middle.seq</key> <string>underscore_middle.seq.glif</string> <key>underscore_start.seq</key> <string>underscore_start.seq.glif</string> <key>underscore_underscore.liga</key> <string>underscore_underscore.liga.glif</string> <key>underscoredbl</key> <string>underscoredbl.glif</string> <key>uni08B3</key> <string>uni08B_3.glif</string> <key>uni08B3.fina</key> <string>uni08B_3.fina.glif</string> <key>uni08B3.init</key> <string>uni08B_3.init.glif</string> <key>uni08B3.medi</key> <string>uni08B_3.medi.glif</string> <key>uni08B4</key> <string>uni08B_4.glif</string> <key>uni08B4.fina</key> <string>uni08B_4.fina.glif</string> <key>uni08B4.init</key> <string>uni08B_4.init.glif</string> <key>uni08B4.medi</key> <string>uni08B_4.medi.glif</string> <key>uni08B9.fina</key> <string>uni08B_9.fina.glif</string> <key>uniFBC0</key> <string>uniF_B_C_0.glif</string> <key>unitSeparatorControl</key> <string>unitS_eparatorC_ontrol.glif</string> <key>uogonek</key> <string>uogonek.glif</string> <key>upArrow</key> <string>upA_rrow.glif</string> <key>upBlackSmallTriangle</key> <string>upB_lackS_mallT_riangle.glif</string> <key>upBlackTriangle</key> <string>upB_lackT_riangle.glif</string> <key>upDashArrow</key> <string>upD_ashA_rrow.glif</string> <key>upDownArrow</key> <string>upD_ownA_rrow.glif</string> <key>upDownbaseArrow</key> <string>upD_ownbaseA_rrow.glif</string> <key>upLeftHalfBlackTriangle</key> <string>upL_eftH_alfB_lackT_riangle.glif</string> <key>upRightHalfBlackTriangle</key> <string>upR_ightH_alfB_lackT_riangle.glif</string> <key>upWhiteSmallTriangle</key> <string>upW_hiteS_mallT_riangle.glif</string> <key>upWhiteTriangle</key> <string>upW_hiteT_riangle.glif</string> <key>upWhiteTriangleWithDot</key> <string>upW_hiteT_riangleW_ithD_ot.glif</string> <key>upperHalfArc</key> <string>upperH_alfA_rc.glif</string> <key>upperHalfBlackWhiteCircle</key> <string>upperH_alfB_lackW_hiteC_ircle.glif</string> <key>upperHalfBlock</key> <string>upperH_alfB_lock.glif</string> <key>upperHalfBlock.stypo</key> <string>upperH_alfB_lock.stypo.glif</string> <key>upperHalfInverseWhiteCircle</key> <string>upperH_alfI_nverseW_hiteC_ircle.glif</string> <key>upperLeftAndLowerLeftAndLowerRightBlock</key> <string>upperL_eftA_ndL_owerL_eftA_ndL_owerR_ightB_lock.glif</string> <key>upperLeftAndLowerLeftAndLowerRightBlock.stypo</key> <string>upperL_eftA_ndL_owerL_eftA_ndL_owerR_ightB_lock.stypo.glif</string> <key>upperLeftAndLowerRightBlock</key> <string>upperL_eftA_ndL_owerR_ightB_lock.glif</string> <key>upperLeftAndLowerRightBlock.stypo</key> <string>upperL_eftA_ndL_owerR_ightB_lock.stypo.glif</string> <key>upperLeftAndUpperRightAndLowerLeftBlock</key> <string>upperL_eftA_ndU_pperR_ightA_ndL_owerL_eftB_lock.glif</string> <key>upperLeftAndUpperRightAndLowerLeftBlock.stypo</key> <string>upperL_eftA_ndU_pperR_ightA_ndL_owerL_eftB_lock.stypo.glif</string> <key>upperLeftAndUpperRightAndLowerRightBlock</key> <string>upperL_eftA_ndU_pperR_ightA_ndL_owerR_ightB_lock.glif</string> <key>upperLeftAndUpperRightAndLowerRightBlock.stypo</key> <string>upperL_eftA_ndU_pperR_ightA_ndL_owerR_ightB_lock.stypo.glif</string> <key>upperLeftArc</key> <string>upperL_eftA_rc.glif</string> <key>upperLeftBlackTriangle</key> <string>upperL_eftB_lackT_riangle.glif</string> <key>upperLeftBlock</key> <string>upperL_eftB_lock.glif</string> <key>upperLeftBlock.stypo</key> <string>upperL_eftB_lock.stypo.glif</string> <key>upperLeftDiagonalHalfBlackSquare</key> <string>upperL_eftD_iagonalH_alfB_lackS_quare.glif</string> <key>upperLeftQuadrantWhiteCircle</key> <string>upperL_eftQ_uadrantW_hiteC_ircle.glif</string> <key>upperLeftTriangle</key> <string>upperL_eftT_riangle.glif</string> <key>upperLeftWhiteCircle</key> <string>upperL_eftW_hiteC_ircle.glif</string> <key>upperOneEighthBlock</key> <string>upperO_neE_ighthB_lock.glif</string> <key>upperOneEighthBlock.stypo</key> <string>upperO_neE_ighthB_lock.stypo.glif</string> <key>upperRightAndLowerLeftAndLowerRightBlock</key> <string>upperR_ightA_ndL_owerL_eftA_ndL_owerR_ightB_lock.glif</string> <key>upperRightAndLowerLeftAndLowerRightBlock.stypo</key> <string>upperR_ightA_ndL_owerL_eftA_ndL_owerR_ightB_lock.stypo.glif</string> <key>upperRightAndLowerLeftBlock</key> <string>upperR_ightA_ndL_owerL_eftB_lock.glif</string> <key>upperRightAndLowerLeftBlock.stypo</key> <string>upperR_ightA_ndL_owerL_eftB_lock.stypo.glif</string> <key>upperRightArc</key> <string>upperR_ightA_rc.glif</string> <key>upperRightBlackCircle</key> <string>upperR_ightB_lackC_ircle.glif</string> <key>upperRightBlackTriangle</key> <string>upperR_ightB_lackT_riangle.glif</string> <key>upperRightBlock</key> <string>upperR_ightB_lock.glif</string> <key>upperRightBlock.stypo</key> <string>upperR_ightB_lock.stypo.glif</string> <key>upperRightQuadrantWhiteCircle</key> <string>upperR_ightQ_uadrantW_hiteC_ircle.glif</string> <key>upperRightTriangle</key> <string>upperR_ightT_riangle.glif</string> <key>upperlefttolowerrightFillSquare</key> <string>upperlefttolowerrightF_illS_quare.glif</string> <key>upperrighttolowerleftFillSquare</key> <string>upperrighttolowerleftF_illS_quare.glif</string> <key>upsilon</key> <string>upsilon.glif</string> <key>upsilon-latin</key> <string>upsilon-latin.glif</string> <key>upsilondieresis</key> <string>upsilondieresis.glif</string> <key>upsilondieresistonos</key> <string>upsilondieresistonos.glif</string> <key>upsilontonos</key> <string>upsilontonos.glif</string> <key>uring</key> <string>uring.glif</string> <key>ushort-cy</key> <string>ushort-cy.glif</string> <key>ustraight-cy</key> <string>ustraight-cy.glif</string> <key>ustraightstroke-cy</key> <string>ustraightstroke-cy.glif</string> <key>utilde</key> <string>utilde.glif</string> <key>v</key> <string>v.glif</string> <key>vabove-ar</key> <string>vabove-ar.glif</string> <key>vav-hb</key> <string>vav-hb.glif</string> <key>vavdagesh-hb</key> <string>vavdagesh-hb.glif</string> <key>vavholam-hb</key> <string>vavholam-hb.glif</string> <key>ve-ar</key> <string>ve-ar.glif</string> <key>ve-ar.fina</key> <string>ve-ar.fina.glif</string> <key>ve-cy</key> <string>ve-cy.glif</string> <key>ve-cy.loclBGR</key> <string>ve-cy.loclB_G_R_.glif</string> <key>vectorOrCrossProduct</key> <string>vectorO_rC_rossP_roduct.glif</string> <key>veh-ar</key> <string>veh-ar.glif</string> <key>veh-ar.alt</key> <string>veh-ar.alt.glif</string> <key>veh-ar.fina</key> <string>veh-ar.fina.glif</string> <key>veh-ar.fina.alt</key> <string>veh-ar.fina.alt.glif</string> <key>veh-ar.init</key> <string>veh-ar.init.glif</string> <key>veh-ar.init.alt</key> <string>veh-ar.init.alt.glif</string> <key>veh-ar.medi</key> <string>veh-ar.medi.glif</string> <key>venus</key> <string>venus.glif</string> <key>verseComma-ar</key> <string>verseC_omma-ar.glif</string> <key>verticalBisectingLineWhiteSquare</key> <string>verticalB_isectingL_ineW_hiteS_quare.glif</string> <key>verticalFillCircle</key> <string>verticalF_illC_ircle.glif</string> <key>verticalFillSquare</key> <string>verticalF_illS_quare.glif</string> <key>verticalTabulationControl</key> <string>verticalT_abulationC_ontrol.glif</string> <key>verticalTabulationControl.ss20</key> <string>verticalT_abulationC_ontrol.ss20.glif</string> <key>vhook</key> <string>vhook.glif</string> <key>vinvertedabove-ar</key> <string>vinvertedabove-ar.glif</string> <key>vturned</key> <string>vturned.glif</string> <key>w</key> <string>w.glif</string> <key>w_w_w.liga</key> <string>w_w_w.liga.glif</string> <key>wacute</key> <string>wacute.glif</string> <key>wasla-ar</key> <string>wasla-ar.glif</string> <key>wavyhamzaabove-ar</key> <string>wavyhamzaabove-ar.glif</string> <key>wavyhamzabelow-ar</key> <string>wavyhamzabelow-ar.glif</string> <key>waw-ar</key> <string>waw-ar.glif</string> <key>waw-ar.fina</key> <string>waw-ar.fina.glif</string> <key>wawDotabove-ar</key> <string>wawD_otabove-ar.glif</string> <key>wawDotabove-ar.fina</key> <string>wawD_otabove-ar.fina.glif</string> <key>wawDotcenter-ar</key> <string>wawD_otcenter-ar.glif</string> <key>wawDotcenter-ar.fina</key> <string>wawD_otcenter-ar.fina.glif</string> <key>wawHamzaabove-ar</key> <string>wawH_amzaabove-ar.glif</string> <key>wawHamzaabove-ar.fina</key> <string>wawH_amzaabove-ar.fina.glif</string> <key>wawStraight-ar</key> <string>wawS_traight-ar.glif</string> <key>wawThreeAbove-ar</key> <string>wawT_hreeA_bove-ar.glif</string> <key>wawThreeAbove-ar.fina</key> <string>wawT_hreeA_bove-ar.fina.glif</string> <key>wawTwoabove-ar</key> <string>wawT_woabove-ar.glif</string> <key>wawTwoabove-ar.fina</key> <string>wawT_woabove-ar.fina.glif</string> <key>wawTwodots-ar</key> <string>wawT_wodots-ar.glif</string> <key>wawTwodots-ar.fina</key> <string>wawT_wodots-ar.fina.glif</string> <key>wawring-ar</key> <string>wawring-ar.glif</string> <key>wawring-ar.fina</key> <string>wawring-ar.fina.glif</string> <key>wcircumflex</key> <string>wcircumflex.glif</string> <key>wdieresis</key> <string>wdieresis.glif</string> <key>wgrave</key> <string>wgrave.glif</string> <key>whiteBullet</key> <string>whiteB_ullet.glif</string> <key>whiteCircle</key> <string>whiteC_ircle.glif</string> <key>whiteDiamond</key> <string>whiteD_iamond.glif</string> <key>whiteHexagon</key> <string>whiteH_exagon.glif</string> <key>whiteHorizontalEllipse</key> <string>whiteH_orizontalE_llipse.glif</string> <key>whiteInBlackSquare</key> <string>whiteI_nB_lackS_quare.glif</string> <key>whiteLargeSquare</key> <string>whiteL_argeS_quare.glif</string> <key>whiteLowerLeftQuadrantSquare</key> <string>whiteL_owerL_eftQ_uadrantS_quare.glif</string> <key>whiteLowerRightQuadrantSquare</key> <string>whiteL_owerR_ightQ_uadrantS_quare.glif</string> <key>whiteMediumDiamond</key> <string>whiteM_ediumD_iamond.glif</string> <key>whiteMediumLozenge</key> <string>whiteM_ediumL_ozenge.glif</string> <key>whiteParallelogram</key> <string>whiteP_arallelogram.glif</string> <key>whitePentagon</key> <string>whiteP_entagon.glif</string> <key>whiteRect</key> <string>whiteR_ect.glif</string> <key>whiteRoundedCornersSquare</key> <string>whiteR_oundedC_ornersS_quare.glif</string> <key>whiteSmallLozenge</key> <string>whiteS_mallL_ozenge.glif</string> <key>whiteSmallSquare</key> <string>whiteS_mallS_quare.glif</string> <key>whiteSmilingFace</key> <string>whiteS_milingF_ace.glif</string> <key>whiteSquare</key> <string>whiteS_quare.glif</string> <key>whiteUpperLeftQuadrantSquare</key> <string>whiteU_pperL_eftQ_uadrantS_quare.glif</string> <key>whiteUpperRightQuadrantSquare</key> <string>whiteU_pperR_ightQ_uadrantS_quare.glif</string> <key>whiteVerticalEllipse</key> <string>whiteV_erticalE_llipse.glif</string> <key>whiteVerticalRect</key> <string>whiteV_erticalR_ect.glif</string> <key>whiteVerysmallSquare</key> <string>whiteV_erysmallS_quare.glif</string> <key>wmod</key> <string>wmod.glif</string> <key>won</key> <string>won.glif</string> <key>x</key> <string>x.glif</string> <key>x.multiply</key> <string>x.multiply.glif</string> <key>xi</key> <string>xi.glif</string> <key>y</key> <string>y.glif</string> <key>yacute</key> <string>yacute.glif</string> <key>ycircumflex</key> <string>ycircumflex.glif</string> <key>ydieresis</key> <string>ydieresis.glif</string> <key>ydotbelow</key> <string>ydotbelow.glif</string> <key>year-ar</key> <string>year-ar.glif</string> <key>yeh-ar</key> <string>yeh-ar.glif</string> <key>yeh-ar.fina</key> <string>yeh-ar.fina.glif</string> <key>yeh-ar.fina.alt</key> <string>yeh-ar.fina.alt.glif</string> <key>yeh-ar.init</key> <string>yeh-ar.init.glif</string> <key>yeh-ar.init.alt</key> <string>yeh-ar.init.alt.glif</string> <key>yeh-ar.medi</key> <string>yeh-ar.medi.glif</string> <key>yeh-farsi</key> <string>yeh-farsi.glif</string> <key>yeh-farsi.fina</key> <string>yeh-farsi.fina.glif</string> <key>yeh-farsi.fina.alt</key> <string>yeh-farsi.fina.alt.glif</string> <key>yeh-farsi.init</key> <string>yeh-farsi.init.glif</string> <key>yeh-farsi.init.alt</key> <string>yeh-farsi.init.alt.glif</string> <key>yeh-farsi.medi</key> <string>yeh-farsi.medi.glif</string> <key>yehFourbelow-farsi</key> <string>yehF_ourbelow-farsi.glif</string> <key>yehFourbelow-farsi.fina</key> <string>yehF_ourbelow-farsi.fina.glif</string> <key>yehFourbelow-farsi.fina.alt</key> <string>yehF_ourbelow-farsi.fina.alt.glif</string> <key>yehFourbelow-farsi.init</key> <string>yehF_ourbelow-farsi.init.glif</string> <key>yehFourbelow-farsi.init.alt</key> <string>yehF_ourbelow-farsi.init.alt.glif</string> <key>yehFourbelow-farsi.medi</key> <string>yehF_ourbelow-farsi.medi.glif</string> <key>yehHamzaabove-ar</key> <string>yehH_amzaabove-ar.glif</string> <key>yehHamzaabove-ar.fina</key> <string>yehH_amzaabove-ar.fina.glif</string> <key>yehHamzaabove-ar.fina.alt</key> <string>yehH_amzaabove-ar.fina.alt.glif</string> <key>yehHamzaabove-ar.init</key> <string>yehH_amzaabove-ar.init.glif</string> <key>yehHamzaabove-ar.init.alt</key> <string>yehH_amzaabove-ar.init.alt.glif</string> <key>yehHamzaabove-ar.medi</key> <string>yehH_amzaabove-ar.medi.glif</string> <key>yehKashmiri-ar</key> <string>yehK_ashmiri-ar.glif</string> <key>yehKashmiri-ar.fina</key> <string>yehK_ashmiri-ar.fina.glif</string> <key>yehKashmiri-ar.fina.alt</key> <string>yehK_ashmiri-ar.fina.alt.glif</string> <key>yehKashmiri-ar.init</key> <string>yehK_ashmiri-ar.init.glif</string> <key>yehKashmiri-ar.init.alt</key> <string>yehK_ashmiri-ar.init.alt.glif</string> <key>yehKashmiri-ar.medi</key> <string>yehK_ashmiri-ar.medi.glif</string> <key>yehRohingya-ar</key> <string>yehR_ohingya-ar.glif</string> <key>yehRohingya-ar.fina</key> <string>yehR_ohingya-ar.fina.glif</string> <key>yehRohingya-ar.isol</key> <string>yehR_ohingya-ar.isol.glif</string> <key>yehTail-ar</key> <string>yehT_ail-ar.glif</string> <key>yehTail-ar.fina</key> <string>yehT_ail-ar.fina.glif</string> <key>yehTail-ar.fina.alt</key> <string>yehT_ail-ar.fina.alt.glif</string> <key>yehThreeabove-farsi</key> <string>yehT_hreeabove-farsi.glif</string> <key>yehThreeabove-farsi.fina</key> <string>yehT_hreeabove-farsi.fina.glif</string> <key>yehThreeabove-farsi.fina.alt</key> <string>yehT_hreeabove-farsi.fina.alt.glif</string> <key>yehThreeabove-farsi.init</key> <string>yehT_hreeabove-farsi.init.glif</string> <key>yehThreeabove-farsi.init.alt</key> <string>yehT_hreeabove-farsi.init.alt.glif</string> <key>yehThreeabove-farsi.medi</key> <string>yehT_hreeabove-farsi.medi.glif</string> <key>yehThreedotsabove-farsi</key> <string>yehT_hreedotsabove-farsi.glif</string> <key>yehThreedotsabove-farsi.fina</key> <string>yehT_hreedotsabove-farsi.fina.glif</string> <key>yehThreedotsabove-farsi.fina.alt</key> <string>yehT_hreedotsabove-farsi.fina.alt.glif</string> <key>yehThreedotsabove-farsi.init</key> <string>yehT_hreedotsabove-farsi.init.glif</string> <key>yehThreedotsabove-farsi.init.alt</key> <string>yehT_hreedotsabove-farsi.init.alt.glif</string> <key>yehThreedotsabove-farsi.medi</key> <string>yehT_hreedotsabove-farsi.medi.glif</string> <key>yehThreedotsbelow-ar</key> <string>yehT_hreedotsbelow-ar.glif</string> <key>yehThreedotsbelow-ar.fina</key> <string>yehT_hreedotsbelow-ar.fina.glif</string> <key>yehThreedotsbelow-ar.fina.alt</key> <string>yehT_hreedotsbelow-ar.fina.alt.glif</string> <key>yehThreedotsbelow-ar.init</key> <string>yehT_hreedotsbelow-ar.init.glif</string> <key>yehThreedotsbelow-ar.init.alt</key> <string>yehT_hreedotsbelow-ar.init.alt.glif</string> <key>yehThreedotsbelow-ar.medi</key> <string>yehT_hreedotsbelow-ar.medi.glif</string> <key>yehTwoabove-farsi</key> <string>yehT_woabove-farsi.glif</string> <key>yehTwoabove-farsi.fina</key> <string>yehT_woabove-farsi.fina.glif</string> <key>yehTwoabove-farsi.fina.alt</key> <string>yehT_woabove-farsi.fina.alt.glif</string> <key>yehTwoabove-farsi.init</key> <string>yehT_woabove-farsi.init.glif</string> <key>yehTwoabove-farsi.init.alt</key> <string>yehT_woabove-farsi.init.alt.glif</string> <key>yehTwoabove-farsi.medi</key> <string>yehT_woabove-farsi.medi.glif</string> <key>yehTwodotsabove-farsi</key> <string>yehT_wodotsabove-farsi.glif</string> <key>yehTwodotsabove-farsi.fina</key> <string>yehT_wodotsabove-farsi.fina.glif</string> <key>yehTwodotsabove-farsi.fina.alt</key> <string>yehT_wodotsabove-farsi.fina.alt.glif</string> <key>yehTwodotsabove-farsi.init</key> <string>yehT_wodotsabove-farsi.init.glif</string> <key>yehTwodotsabove-farsi.init.alt</key> <string>yehT_wodotsabove-farsi.init.alt.glif</string> <key>yehTwodotsabove-farsi.medi</key> <string>yehT_wodotsabove-farsi.medi.glif</string> <key>yehTwodotsbelowDotabove-ar</key> <string>yehT_wodotsbelowD_otabove-ar.glif</string> <key>yehTwodotsbelowDotabove-ar.fina</key> <string>yehT_wodotsbelowD_otabove-ar.fina.glif</string> <key>yehTwodotsbelowDotabove-ar.init</key> <string>yehT_wodotsbelowD_otabove-ar.init.glif</string> <key>yehTwodotsbelowDotabove-ar.init.alt</key> <string>yehT_wodotsbelowD_otabove-ar.init.alt.glif</string> <key>yehTwodotsbelowDotabove-ar.medi</key> <string>yehT_wodotsbelowD_otabove-ar.medi.glif</string> <key>yehTwodotsbelowHamzaabove-ar</key> <string>yehT_wodotsbelowH_amzaabove-ar.glif</string> <key>yehTwodotsbelowHamzaabove-ar.fina</key> <string>yehT_wodotsbelowH_amzaabove-ar.fina.glif</string> <key>yehTwodotsbelowHamzaabove-ar.init</key> <string>yehT_wodotsbelowH_amzaabove-ar.init.glif</string> <key>yehTwodotsbelowHamzaabove-ar.init.alt</key> <string>yehT_wodotsbelowH_amzaabove-ar.init.alt.glif</string> <key>yehTwodotsbelowHamzaabove-ar.medi</key> <string>yehT_wodotsbelowH_amzaabove-ar.medi.glif</string> <key>yehTwodotsbelowNoonabove-ar</key> <string>yehT_wodotsbelowN_oonabove-ar.glif</string> <key>yehTwodotsbelowNoonabove-ar.fina</key> <string>yehT_wodotsbelowN_oonabove-ar.fina.glif</string> <key>yehTwodotsbelowNoonabove-ar.fina.alt</key> <string>yehT_wodotsbelowN_oonabove-ar.fina.alt.glif</string> <key>yehTwodotsbelowNoonabove-ar.init</key> <string>yehT_wodotsbelowN_oonabove-ar.init.glif</string> <key>yehTwodotsbelowNoonabove-ar.init.alt</key> <string>yehT_wodotsbelowN_oonabove-ar.init.alt.glif</string> <key>yehTwodotsbelowNoonabove-ar.medi</key> <string>yehT_wodotsbelowN_oonabove-ar.medi.glif</string> <key>yehVabove-ar</key> <string>yehV_above-ar.glif</string> <key>yehVabove-ar.fina</key> <string>yehV_above-ar.fina.glif</string> <key>yehVabove-ar.fina.alt</key> <string>yehV_above-ar.fina.alt.glif</string> <key>yehVabove-ar.init</key> <string>yehV_above-ar.init.glif</string> <key>yehVabove-ar.init.alt</key> <string>yehV_above-ar.init.alt.glif</string> <key>yehVabove-ar.medi</key> <string>yehV_above-ar.medi.glif</string> <key>yehVinverted-farsi</key> <string>yehV_inverted-farsi.glif</string> <key>yehVinverted-farsi.fina</key> <string>yehV_inverted-farsi.fina.glif</string> <key>yehVinverted-farsi.fina.alt</key> <string>yehV_inverted-farsi.fina.alt.glif</string> <key>yehVinverted-farsi.init</key> <string>yehV_inverted-farsi.init.glif</string> <key>yehVinverted-farsi.init.alt</key> <string>yehV_inverted-farsi.init.alt.glif</string> <key>yehVinverted-farsi.medi</key> <string>yehV_inverted-farsi.medi.glif</string> <key>yehbarree-ar</key> <string>yehbarree-ar.glif</string> <key>yehbarree-ar.fina</key> <string>yehbarree-ar.fina.glif</string> <key>yehbarreeHamzaabove-ar</key> <string>yehbarreeH_amzaabove-ar.glif</string> <key>yehbarreeHamzaabove-ar.fina</key> <string>yehbarreeH_amzaabove-ar.fina.glif</string> <key>yehbarreeThreeabove-ar</key> <string>yehbarreeT_hreeabove-ar.glif</string> <key>yehbarreeThreeabove-ar.fina</key> <string>yehbarreeT_hreeabove-ar.fina.glif</string> <key>yehbarreeThreeabove-ar.init</key> <string>yehbarreeT_hreeabove-ar.init.glif</string> <key>yehbarreeThreeabove-ar.init.alt</key> <string>yehbarreeT_hreeabove-ar.init.alt.glif</string> <key>yehbarreeThreeabove-ar.medi</key> <string>yehbarreeT_hreeabove-ar.medi.glif</string> <key>yehbarreeTwoabove-ar</key> <string>yehbarreeT_woabove-ar.glif</string> <key>yehbarreeTwoabove-ar.fina</key> <string>yehbarreeT_woabove-ar.fina.glif</string> <key>yehbarreeTwoabove-ar.init</key> <string>yehbarreeT_woabove-ar.init.glif</string> <key>yehbarreeTwoabove-ar.init.alt</key> <string>yehbarreeT_woabove-ar.init.alt.glif</string> <key>yehbarreeTwoabove-ar.medi</key> <string>yehbarreeT_woabove-ar.medi.glif</string> <key>yen</key> <string>yen.glif</string> <key>yeru-cy</key> <string>yeru-cy.glif</string> <key>ygrave</key> <string>ygrave.glif</string> <key>yhookabove</key> <string>yhookabove.glif</string> <key>yi-cy</key> <string>yi-cy.glif</string> <key>ymacron</key> <string>ymacron.glif</string> <key>ymod</key> <string>ymod.glif</string> <key>yod-hb</key> <string>yod-hb.glif</string> <key>yoddagesh-hb</key> <string>yoddagesh-hb.glif</string> <key>ytilde</key> <string>ytilde.glif</string> <key>yu-ar</key> <string>yu-ar.glif</string> <key>yu-ar.fina</key> <string>yu-ar.fina.glif</string> <key>z</key> <string>z.glif</string> <key>zacute</key> <string>zacute.glif</string> <key>zacute.loclPLK</key> <string>zacute.loclP_L_K_.glif</string> <key>zah-ar</key> <string>zah-ar.glif</string> <key>zah-ar.fina</key> <string>zah-ar.fina.glif</string> <key>zah-ar.init</key> <string>zah-ar.init.glif</string> <key>zah-ar.medi</key> <string>zah-ar.medi.glif</string> <key>zain-ar</key> <string>zain-ar.glif</string> <key>zain-ar.fina</key> <string>zain-ar.fina.glif</string> <key>zainVInvertedabove-ar</key> <string>zainV_I_nvertedabove-ar.glif</string> <key>zainVInvertedabove-ar.fina</key> <string>zainV_I_nvertedabove-ar.fina.glif</string> <key>zayin-hb</key> <string>zayin-hb.glif</string> <key>zayindagesh-hb</key> <string>zayindagesh-hb.glif</string> <key>zcaron</key> <string>zcaron.glif</string> <key>zdotaccent</key> <string>zdotaccent.glif</string> <key>ze-cy</key> <string>ze-cy.glif</string> <key>ze-cy.loclBGR</key> <string>ze-cy.loclB_G_R_.glif</string> <key>zero</key> <string>zero.glif</string> <key>zero-ar</key> <string>zero-ar.glif</string> <key>zero-arinferior</key> <string>zero-arinferior.glif</string> <key>zero-arsuperior</key> <string>zero-arsuperior.glif</string> <key>zero-persian</key> <string>zero-persian.glif</string> <key>zero-persianinferior</key> <string>zero-persianinferior.glif</string> <key>zero-persiansuperior</key> <string>zero-persiansuperior.glif</string> <key>zero.dnom</key> <string>zero.dnom.glif</string> <key>zero.numr</key> <string>zero.numr.glif</string> <key>zero.zero</key> <string>zero.zero.glif</string> <key>zeroinferior</key> <string>zeroinferior.glif</string> <key>zerosuperior</key> <string>zerosuperior.glif</string> <key>zeta</key> <string>zeta.glif</string> <key>zhe-cy</key> <string>zhe-cy.glif</string> <key>zhe-cy.loclBGR</key> <string>zhe-cy.loclB_G_R_.glif</string> <key>zhedescender-cy</key> <string>zhedescender-cy.glif</string> <key>zmod</key> <string>zmod.glif</string> <key>checkerBoardDeleteApple2</key> <string>checkerB_oardD_eleteA_pple2.glif</string> <key>checkerBoardDeleteTrs80</key> <string>checkerB_oardD_eleteT_rs80.glif</string> <key>checkerBoardDeleteAmstradCpc</key> <string>checkerB_oardD_eleteA_mstradC_pc.glif</string> <key>checkerBoardDeleteAmstradCpc.stypo</key> <string>checkerB_oardD_eleteA_mstradC_pc.stypo.glif</string> <key>checkerBoardFill</key> <string>checkerB_oardF_ill.glif</string> <key>checkerBoardFill.stypo</key> <string>checkerB_oardF_ill.stypo.glif</string> <key>checkerBoardFillInverse</key> <string>checkerB_oardF_illI_nverse.glif</string> <key>checkerBoardFillInverse.stypo</key> <string>checkerB_oardF_illI_nverse.stypo.glif</string> <key>blockQuadrant-UC</key> <string>blockQ_uadrant-UC.glif</string> <key>blockQuadrant-UC.stypo</key> <string>blockQ_uadrant-UC.stypo.glif</string> <key>blockQuadrant-LC</key> <string>blockQ_uadrant-LC.glif</string> <key>blockQuadrant-LC.stypo</key> <string>blockQ_uadrant-LC.stypo.glif</string> <key>blockQuadrant-ML</key> <string>blockQ_uadrant-ML.glif</string> <key>blockQuadrant-ML.stypo</key> <string>blockQ_uadrant-ML.stypo.glif</string> <key>blockQuadrant-MR</key> <string>blockQ_uadrant-MR.glif</string> <key>blockQuadrant-MR.stypo</key> <string>blockQ_uadrant-MR.stypo.glif</string> <key>blockTriangle-1</key> <string>blockT_riangle-1.glif</string> <key>blockTriangle-1.stypo</key> <string>blockT_riangle-1.stypo.glif</string> <key>blockTriangle-2</key> <string>blockT_riangle-2.glif</string> <key>blockTriangle-2.stypo</key> <string>blockT_riangle-2.stypo.glif</string> <key>blockTriangle-3</key> <string>blockT_riangle-3.glif</string> <key>blockTriangle-3.stypo</key> <string>blockT_riangle-3.stypo.glif</string> <key>blockTriangle-4</key> <string>blockT_riangle-4.glif</string> <key>blockTriangle-4.stypo</key> <string>blockT_riangle-4.stypo.glif</string> <key>blockTriangle-14</key> <string>blockT_riangle-14.glif</string> <key>blockTriangle-14.stypo</key> <string>blockT_riangle-14.stypo.glif</string> <key>blockTriangle-23</key> <string>blockT_riangle-23.glif</string> <key>blockTriangle-23.stypo</key> <string>blockT_riangle-23.stypo.glif</string> <key>blockTriangle-123</key> <string>blockT_riangle-123.glif</string> <key>blockTriangle-123.stypo</key> <string>blockT_riangle-123.stypo.glif</string> <key>blockTriangle-124</key> <string>blockT_riangle-124.glif</string> <key>blockTriangle-124.stypo</key> <string>blockT_riangle-124.stypo.glif</string> <key>blockTriangle-134</key> <string>blockT_riangle-134.glif</string> <key>blockTriangle-134.stypo</key> <string>blockT_riangle-134.stypo.glif</string> <key>blockTriangle-234</key> <string>blockT_riangle-234.glif</string> <key>blockTriangle-234.stypo</key> <string>blockT_riangle-234.stypo.glif</string> <key>blockCircle-UC</key> <string>blockC_ircle-UC.glif</string> <key>blockCircle-UC.stypo</key> <string>blockC_ircle-UC.stypo.glif</string> <key>blockCircle-LC</key> <string>blockC_ircle-LC.glif</string> <key>blockCircle-LC.stypo</key> <string>blockC_ircle-LC.stypo.glif</string> <key>blockCircle-ML</key> <string>blockC_ircle-ML.glif</string> <key>blockCircle-ML.stypo</key> <string>blockC_ircle-ML.stypo.glif</string> <key>blockCircle-MR</key> <string>blockC_ircle-MR.glif</string> <key>blockCircle-MR.stypo</key> <string>blockC_ircle-MR.stypo.glif</string> <key>blockCircle-1</key> <string>blockC_ircle-1.glif</string> <key>blockCircle-1.stypo</key> <string>blockC_ircle-1.stypo.glif</string> <key>blockCircle-2</key> <string>blockC_ircle-2.glif</string> <key>blockCircle-2.stypo</key> <string>blockC_ircle-2.stypo.glif</string> <key>blockCircle-3</key> <string>blockC_ircle-3.glif</string> <key>blockCircle-3.stypo</key> <string>blockC_ircle-3.stypo.glif</string> <key>blockCircle-4</key> <string>blockC_ircle-4.glif</string> <key>blockCircle-4.stypo</key> <string>blockC_ircle-4.stypo.glif</string> <key>blockSextant-1</key> <string>blockS_extant-1.glif</string> <key>blockSextant-1.stypo</key> <string>blockS_extant-1.stypo.glif</string> <key>blockSextant-2</key> <string>blockS_extant-2.glif</string> <key>blockSextant-2.stypo</key> <string>blockS_extant-2.stypo.glif</string> <key>blockSextant-12</key> <string>blockS_extant-12.glif</string> <key>blockSextant-12.stypo</key> <string>blockS_extant-12.stypo.glif</string> <key>blockSextant-3</key> <string>blockS_extant-3.glif</string> <key>blockSextant-3.stypo</key> <string>blockS_extant-3.stypo.glif</string> <key>blockSextant-13</key> <string>blockS_extant-13.glif</string> <key>blockSextant-13.stypo</key> <string>blockS_extant-13.stypo.glif</string> <key>blockSextant-23</key> <string>blockS_extant-23.glif</string> <key>blockSextant-23.stypo</key> <string>blockS_extant-23.stypo.glif</string> <key>blockSextant-123</key> <string>blockS_extant-123.glif</string> <key>blockSextant-123.stypo</key> <string>blockS_extant-123.stypo.glif</string> <key>blockSextant-4</key> <string>blockS_extant-4.glif</string> <key>blockSextant-4.stypo</key> <string>blockS_extant-4.stypo.glif</string> <key>blockSextant-14</key> <string>blockS_extant-14.glif</string> <key>blockSextant-14.stypo</key> <string>blockS_extant-14.stypo.glif</string> <key>blockSextant-24</key> <string>blockS_extant-24.glif</string> <key>blockSextant-24.stypo</key> <string>blockS_extant-24.stypo.glif</string> <key>blockSextant-124</key> <string>blockS_extant-124.glif</string> <key>blockSextant-124.stypo</key> <string>blockS_extant-124.stypo.glif</string> <key>blockSextant-34</key> <string>blockS_extant-34.glif</string> <key>blockSextant-34.stypo</key> <string>blockS_extant-34.stypo.glif</string> <key>blockSextant-134</key> <string>blockS_extant-134.glif</string> <key>blockSextant-134.stypo</key> <string>blockS_extant-134.stypo.glif</string> <key>blockSextant-234</key> <string>blockS_extant-234.glif</string> <key>blockSextant-234.stypo</key> <string>blockS_extant-234.stypo.glif</string> <key>blockSextant-1234</key> <string>blockS_extant-1234.glif</string> <key>blockSextant-1234.stypo</key> <string>blockS_extant-1234.stypo.glif</string> <key>blockSextant-5</key> <string>blockS_extant-5.glif</string> <key>blockSextant-5.stypo</key> <string>blockS_extant-5.stypo.glif</string> <key>blockSextant-15</key> <string>blockS_extant-15.glif</string> <key>blockSextant-15.stypo</key> <string>blockS_extant-15.stypo.glif</string> <key>blockSextant-25</key> <string>blockS_extant-25.glif</string> <key>blockSextant-25.stypo</key> <string>blockS_extant-25.stypo.glif</string> <key>blockSextant-125</key> <string>blockS_extant-125.glif</string> <key>blockSextant-125.stypo</key> <string>blockS_extant-125.stypo.glif</string> <key>blockSextant-35</key> <string>blockS_extant-35.glif</string> <key>blockSextant-35.stypo</key> <string>blockS_extant-35.stypo.glif</string> <key>blockSextant-235</key> <string>blockS_extant-235.glif</string> <key>blockSextant-235.stypo</key> <string>blockS_extant-235.stypo.glif</string> <key>blockSextant-1235</key> <string>blockS_extant-1235.glif</string> <key>blockSextant-1235.stypo</key> <string>blockS_extant-1235.stypo.glif</string> <key>blockSextant-45</key> <string>blockS_extant-45.glif</string> <key>blockSextant-45.stypo</key> <string>blockS_extant-45.stypo.glif</string> <key>blockSextant-145</key> <string>blockS_extant-145.glif</string> <key>blockSextant-145.stypo</key> <string>blockS_extant-145.stypo.glif</string> <key>blockSextant-245</key> <string>blockS_extant-245.glif</string> <key>blockSextant-245.stypo</key> <string>blockS_extant-245.stypo.glif</string> <key>blockSextant-1245</key> <string>blockS_extant-1245.glif</string> <key>blockSextant-1245.stypo</key> <string>blockS_extant-1245.stypo.glif</string> <key>blockSextant-345</key> <string>blockS_extant-345.glif</string> <key>blockSextant-345.stypo</key> <string>blockS_extant-345.stypo.glif</string> <key>blockSextant-1345</key> <string>blockS_extant-1345.glif</string> <key>blockSextant-1345.stypo</key> <string>blockS_extant-1345.stypo.glif</string> <key>blockSextant-2345</key> <string>blockS_extant-2345.glif</string> <key>blockSextant-2345.stypo</key> <string>blockS_extant-2345.stypo.glif</string> <key>blockSextant-12345</key> <string>blockS_extant-12345.glif</string> <key>blockSextant-12345.stypo</key> <string>blockS_extant-12345.stypo.glif</string> <key>blockSextant-6</key> <string>blockS_extant-6.glif</string> <key>blockSextant-6.stypo</key> <string>blockS_extant-6.stypo.glif</string> <key>blockSextant-16</key> <string>blockS_extant-16.glif</string> <key>blockSextant-16.stypo</key> <string>blockS_extant-16.stypo.glif</string> <key>blockSextant-26</key> <string>blockS_extant-26.glif</string> <key>blockSextant-26.stypo</key> <string>blockS_extant-26.stypo.glif</string> <key>blockSextant-126</key> <string>blockS_extant-126.glif</string> <key>blockSextant-126.stypo</key> <string>blockS_extant-126.stypo.glif</string> <key>blockSextant-36</key> <string>blockS_extant-36.glif</string> <key>blockSextant-36.stypo</key> <string>blockS_extant-36.stypo.glif</string> <key>blockSextant-136</key> <string>blockS_extant-136.glif</string> <key>blockSextant-136.stypo</key> <string>blockS_extant-136.stypo.glif</string> <key>blockSextant-236</key> <string>blockS_extant-236.glif</string> <key>blockSextant-236.stypo</key> <string>blockS_extant-236.stypo.glif</string> <key>blockSextant-1236</key> <string>blockS_extant-1236.glif</string> <key>blockSextant-1236.stypo</key> <string>blockS_extant-1236.stypo.glif</string> <key>blockSextant-46</key> <string>blockS_extant-46.glif</string> <key>blockSextant-46.stypo</key> <string>blockS_extant-46.stypo.glif</string> <key>blockSextant-146</key> <string>blockS_extant-146.glif</string> <key>blockSextant-146.stypo</key> <string>blockS_extant-146.stypo.glif</string> <key>blockSextant-1246</key> <string>blockS_extant-1246.glif</string> <key>blockSextant-1246.stypo</key> <string>blockS_extant-1246.stypo.glif</string> <key>blockSextant-346</key> <string>blockS_extant-346.glif</string> <key>blockSextant-346.stypo</key> <string>blockS_extant-346.stypo.glif</string> <key>blockSextant-1346</key> <string>blockS_extant-1346.glif</string> <key>blockSextant-1346.stypo</key> <string>blockS_extant-1346.stypo.glif</string> <key>blockSextant-2346</key> <string>blockS_extant-2346.glif</string> <key>blockSextant-2346.stypo</key> <string>blockS_extant-2346.stypo.glif</string> <key>blockSextant-12346</key> <string>blockS_extant-12346.glif</string> <key>blockSextant-12346.stypo</key> <string>blockS_extant-12346.stypo.glif</string> <key>blockSextant-56</key> <string>blockS_extant-56.glif</string> <key>blockSextant-56.stypo</key> <string>blockS_extant-56.stypo.glif</string> <key>blockSextant-156</key> <string>blockS_extant-156.glif</string> <key>blockSextant-156.stypo</key> <string>blockS_extant-156.stypo.glif</string> <key>blockSextant-256</key> <string>blockS_extant-256.glif</string> <key>blockSextant-256.stypo</key> <string>blockS_extant-256.stypo.glif</string> <key>blockSextant-1256</key> <string>blockS_extant-1256.glif</string> <key>blockSextant-1256.stypo</key> <string>blockS_extant-1256.stypo.glif</string> <key>blockSextant-356</key> <string>blockS_extant-356.glif</string> <key>blockSextant-356.stypo</key> <string>blockS_extant-356.stypo.glif</string> <key>blockSextant-1356</key> <string>blockS_extant-1356.glif</string> <key>blockSextant-1356.stypo</key> <string>blockS_extant-1356.stypo.glif</string> <key>blockSextant-2356</key> <string>blockS_extant-2356.glif</string> <key>blockSextant-2356.stypo</key> <string>blockS_extant-2356.stypo.glif</string> <key>blockSextant-12356</key> <string>blockS_extant-12356.glif</string> <key>blockSextant-12356.stypo</key> <string>blockS_extant-12356.stypo.glif</string> <key>blockSextant-456</key> <string>blockS_extant-456.glif</string> <key>blockSextant-456.stypo</key> <string>blockS_extant-456.stypo.glif</string> <key>blockSextant-1456</key> <string>blockS_extant-1456.glif</string> <key>blockSextant-1456.stypo</key> <string>blockS_extant-1456.stypo.glif</string> <key>blockSextant-2456</key> <string>blockS_extant-2456.glif</string> <key>blockSextant-2456.stypo</key> <string>blockS_extant-2456.stypo.glif</string> <key>blockSextant-12456</key> <string>blockS_extant-12456.glif</string> <key>blockSextant-12456.stypo</key> <string>blockS_extant-12456.stypo.glif</string> <key>blockSextant-3456</key> <string>blockS_extant-3456.glif</string> <key>blockSextant-3456.stypo</key> <string>blockS_extant-3456.stypo.glif</string> <key>blockSextant-13456</key> <string>blockS_extant-13456.glif</string> <key>blockSextant-13456.stypo</key> <string>blockS_extant-13456.stypo.glif</string> <key>blockSextant-23456</key> <string>blockS_extant-23456.glif</string> <key>blockSextant-23456.stypo</key> <string>blockS_extant-23456.stypo.glif</string> <key>blockDiagonal-1FB3C</key> <string>blockD_iagonal-1FB3C.glif</string> <key>blockDiagonal-1FB3C.stypo</key> <string>blockD_iagonal-1FB3C.stypo.glif</string> <key>blockDiagonal-1FB3D</key> <string>blockD_iagonal-1FB3D.glif</string> <key>blockDiagonal-1FB3D.stypo</key> <string>blockD_iagonal-1FB3D.stypo.glif</string> <key>blockDiagonal-1FB3E</key> <string>blockD_iagonal-1FB3E.glif</string> <key>blockDiagonal-1FB3E.stypo</key> <string>blockD_iagonal-1FB3E.stypo.glif</string> <key>blockDiagonal-1FB3F</key> <string>blockD_iagonal-1FB3F.glif</string> <key>blockDiagonal-1FB3F.stypo</key> <string>blockD_iagonal-1FB3F.stypo.glif</string> <key>blockDiagonal-1FB40</key> <string>blockD_iagonal-1FB40.glif</string> <key>blockDiagonal-1FB40.stypo</key> <string>blockD_iagonal-1FB40.stypo.glif</string> <key>blockDiagonal-1FB41</key> <string>blockD_iagonal-1FB41.glif</string> <key>blockDiagonal-1FB41.stypo</key> <string>blockD_iagonal-1FB41.stypo.glif</string> <key>blockDiagonal-1FB42</key> <string>blockD_iagonal-1FB42.glif</string> <key>blockDiagonal-1FB42.stypo</key> <string>blockD_iagonal-1FB42.stypo.glif</string> <key>blockDiagonal-1FB43</key> <string>blockD_iagonal-1FB43.glif</string> <key>blockDiagonal-1FB43.stypo</key> <string>blockD_iagonal-1FB43.stypo.glif</string> <key>blockDiagonal-1FB44</key> <string>blockD_iagonal-1FB44.glif</string> <key>blockDiagonal-1FB44.stypo</key> <string>blockD_iagonal-1FB44.stypo.glif</string> <key>blockDiagonal-1FB45</key> <string>blockD_iagonal-1FB45.glif</string> <key>blockDiagonal-1FB45.stypo</key> <string>blockD_iagonal-1FB45.stypo.glif</string> <key>blockDiagonal-1FB46</key> <string>blockD_iagonal-1FB46.glif</string> <key>blockDiagonal-1FB46.stypo</key> <string>blockD_iagonal-1FB46.stypo.glif</string> <key>blockDiagonal-1FB47</key> <string>blockD_iagonal-1FB47.glif</string> <key>blockDiagonal-1FB47.stypo</key> <string>blockD_iagonal-1FB47.stypo.glif</string> <key>blockDiagonal-1FB48</key> <string>blockD_iagonal-1FB48.glif</string> <key>blockDiagonal-1FB48.stypo</key> <string>blockD_iagonal-1FB48.stypo.glif</string> <key>blockDiagonal-1FB49</key> <string>blockD_iagonal-1FB49.glif</string> <key>blockDiagonal-1FB49.stypo</key> <string>blockD_iagonal-1FB49.stypo.glif</string> <key>blockDiagonal-1FB4A</key> <string>blockD_iagonal-1FB4A.glif</string> <key>blockDiagonal-1FB4A.stypo</key> <string>blockD_iagonal-1FB4A.stypo.glif</string> <key>blockDiagonal-1FB4B</key> <string>blockD_iagonal-1FB4B.glif</string> <key>blockDiagonal-1FB4B.stypo</key> <string>blockD_iagonal-1FB4B.stypo.glif</string> <key>blockDiagonal-1FB4C</key> <string>blockD_iagonal-1FB4C.glif</string> <key>blockDiagonal-1FB4C.stypo</key> <string>blockD_iagonal-1FB4C.stypo.glif</string> <key>blockDiagonal-1FB4D</key> <string>blockD_iagonal-1FB4D.glif</string> <key>blockDiagonal-1FB4D.stypo</key> <string>blockD_iagonal-1FB4D.stypo.glif</string> <key>blockDiagonal-1FB4E</key> <string>blockD_iagonal-1FB4E.glif</string> <key>blockDiagonal-1FB4E.stypo</key> <string>blockD_iagonal-1FB4E.stypo.glif</string> <key>blockDiagonal-1FB4F</key> <string>blockD_iagonal-1FB4F.glif</string> <key>blockDiagonal-1FB4F.stypo</key> <string>blockD_iagonal-1FB4F.stypo.glif</string> <key>blockDiagonal-1FB50</key> <string>blockD_iagonal-1FB50.glif</string> <key>blockDiagonal-1FB50.stypo</key> <string>blockD_iagonal-1FB50.stypo.glif</string> <key>blockDiagonal-1FB51</key> <string>blockD_iagonal-1FB51.glif</string> <key>blockDiagonal-1FB51.stypo</key> <string>blockD_iagonal-1FB51.stypo.glif</string> <key>blockDiagonal-1FB52</key> <string>blockD_iagonal-1FB52.glif</string> <key>blockDiagonal-1FB52.stypo</key> <string>blockD_iagonal-1FB52.stypo.glif</string> <key>blockDiagonal-1FB53</key> <string>blockD_iagonal-1FB53.glif</string> <key>blockDiagonal-1FB53.stypo</key> <string>blockD_iagonal-1FB53.stypo.glif</string> <key>blockDiagonal-1FB54</key> <string>blockD_iagonal-1FB54.glif</string> <key>blockDiagonal-1FB54.stypo</key> <string>blockD_iagonal-1FB54.stypo.glif</string> <key>blockDiagonal-1FB55</key> <string>blockD_iagonal-1FB55.glif</string> <key>blockDiagonal-1FB55.stypo</key> <string>blockD_iagonal-1FB55.stypo.glif</string> <key>blockDiagonal-1FB56</key> <string>blockD_iagonal-1FB56.glif</string> <key>blockDiagonal-1FB56.stypo</key> <string>blockD_iagonal-1FB56.stypo.glif</string> <key>blockDiagonal-1FB57</key> <string>blockD_iagonal-1FB57.glif</string> <key>blockDiagonal-1FB57.stypo</key> <string>blockD_iagonal-1FB57.stypo.glif</string> <key>blockDiagonal-1FB58</key> <string>blockD_iagonal-1FB58.glif</string> <key>blockDiagonal-1FB58.stypo</key> <string>blockD_iagonal-1FB58.stypo.glif</string> <key>blockDiagonal-1FB59</key> <string>blockD_iagonal-1FB59.glif</string> <key>blockDiagonal-1FB59.stypo</key> <string>blockD_iagonal-1FB59.stypo.glif</string> <key>blockDiagonal-1FB5A</key> <string>blockD_iagonal-1FB5A.glif</string> <key>blockDiagonal-1FB5A.stypo</key> <string>blockD_iagonal-1FB5A.stypo.glif</string> <key>blockDiagonal-1FB5B</key> <string>blockD_iagonal-1FB5B.glif</string> <key>blockDiagonal-1FB5B.stypo</key> <string>blockD_iagonal-1FB5B.stypo.glif</string> <key>blockDiagonal-1FB5C</key> <string>blockD_iagonal-1FB5C.glif</string> <key>blockDiagonal-1FB5C.stypo</key> <string>blockD_iagonal-1FB5C.stypo.glif</string> <key>blockDiagonal-1FB5D</key> <string>blockD_iagonal-1FB5D.glif</string> <key>blockDiagonal-1FB5D.stypo</key> <string>blockD_iagonal-1FB5D.stypo.glif</string> <key>blockDiagonal-1FB5E</key> <string>blockD_iagonal-1FB5E.glif</string> <key>blockDiagonal-1FB5E.stypo</key> <string>blockD_iagonal-1FB5E.stypo.glif</string> <key>blockDiagonal-1FB5F</key> <string>blockD_iagonal-1FB5F.glif</string> <key>blockDiagonal-1FB5F.stypo</key> <string>blockD_iagonal-1FB5F.stypo.glif</string> <key>blockDiagonal-1FB60</key> <string>blockD_iagonal-1FB60.glif</string> <key>blockDiagonal-1FB60.stypo</key> <string>blockD_iagonal-1FB60.stypo.glif</string> <key>blockDiagonal-1FB61</key> <string>blockD_iagonal-1FB61.glif</string> <key>blockDiagonal-1FB61.stypo</key> <string>blockD_iagonal-1FB61.stypo.glif</string> <key>blockDiagonal-1FB62</key> <string>blockD_iagonal-1FB62.glif</string> <key>blockDiagonal-1FB62.stypo</key> <string>blockD_iagonal-1FB62.stypo.glif</string> <key>blockDiagonal-1FB63</key> <string>blockD_iagonal-1FB63.glif</string> <key>blockDiagonal-1FB63.stypo</key> <string>blockD_iagonal-1FB63.stypo.glif</string> <key>blockDiagonal-1FB64</key> <string>blockD_iagonal-1FB64.glif</string> <key>blockDiagonal-1FB64.stypo</key> <string>blockD_iagonal-1FB64.stypo.glif</string> <key>blockDiagonal-1FB65</key> <string>blockD_iagonal-1FB65.glif</string> <key>blockDiagonal-1FB65.stypo</key> <string>blockD_iagonal-1FB65.stypo.glif</string> <key>blockDiagonal-1FB66</key> <string>blockD_iagonal-1FB66.glif</string> <key>blockDiagonal-1FB66.stypo</key> <string>blockD_iagonal-1FB66.stypo.glif</string> <key>blockDiagonal-1FB67</key> <string>blockD_iagonal-1FB67.glif</string> <key>blockDiagonal-1FB67.stypo</key> <string>blockD_iagonal-1FB67.stypo.glif</string> <key>blockOctant-1</key> <string>blockO_ctant-1.glif</string> <key>blockOctant-1.stypo</key> <string>blockO_ctant-1.stypo.glif</string> <key>blockOctant-2</key> <string>blockO_ctant-2.glif</string> <key>blockOctant-2.stypo</key> <string>blockO_ctant-2.stypo.glif</string> <key>blockOctant-12</key> <string>blockO_ctant-12.glif</string> <key>blockOctant-12.stypo</key> <string>blockO_ctant-12.stypo.glif</string> <key>blockOctant-3</key> <string>blockO_ctant-3.glif</string> <key>blockOctant-3.stypo</key> <string>blockO_ctant-3.stypo.glif</string> <key>blockOctant-23</key> <string>blockO_ctant-23.glif</string> <key>blockOctant-23.stypo</key> <string>blockO_ctant-23.stypo.glif</string> <key>blockOctant-123</key> <string>blockO_ctant-123.glif</string> <key>blockOctant-123.stypo</key> <string>blockO_ctant-123.stypo.glif</string> <key>blockOctant-4</key> <string>blockO_ctant-4.glif</string> <key>blockOctant-4.stypo</key> <string>blockO_ctant-4.stypo.glif</string> <key>blockOctant-14</key> <string>blockO_ctant-14.glif</string> <key>blockOctant-14.stypo</key> <string>blockO_ctant-14.stypo.glif</string> <key>blockOctant-124</key> <string>blockO_ctant-124.glif</string> <key>blockOctant-124.stypo</key> <string>blockO_ctant-124.stypo.glif</string> <key>blockOctant-34</key> <string>blockO_ctant-34.glif</string> <key>blockOctant-34.stypo</key> <string>blockO_ctant-34.stypo.glif</string> <key>blockOctant-134</key> <string>blockO_ctant-134.glif</string> <key>blockOctant-134.stypo</key> <string>blockO_ctant-134.stypo.glif</string> <key>blockOctant-234</key> <string>blockO_ctant-234.glif</string> <key>blockOctant-234.stypo</key> <string>blockO_ctant-234.stypo.glif</string> <key>blockOctant-5</key> <string>blockO_ctant-5.glif</string> <key>blockOctant-5.stypo</key> <string>blockO_ctant-5.stypo.glif</string> <key>blockOctant-15</key> <string>blockO_ctant-15.glif</string> <key>blockOctant-15.stypo</key> <string>blockO_ctant-15.stypo.glif</string> <key>blockOctant-25</key> <string>blockO_ctant-25.glif</string> <key>blockOctant-25.stypo</key> <string>blockO_ctant-25.stypo.glif</string> <key>blockOctant-125</key> <string>blockO_ctant-125.glif</string> <key>blockOctant-125.stypo</key> <string>blockO_ctant-125.stypo.glif</string> <key>blockOctant-135</key> <string>blockO_ctant-135.glif</string> <key>blockOctant-135.stypo</key> <string>blockO_ctant-135.stypo.glif</string> <key>blockOctant-235</key> <string>blockO_ctant-235.glif</string> <key>blockOctant-235.stypo</key> <string>blockO_ctant-235.stypo.glif</string> <key>blockOctant-1235</key> <string>blockO_ctant-1235.glif</string> <key>blockOctant-1235.stypo</key> <string>blockO_ctant-1235.stypo.glif</string> <key>blockOctant-45</key> <string>blockO_ctant-45.glif</string> <key>blockOctant-45.stypo</key> <string>blockO_ctant-45.stypo.glif</string> <key>blockOctant-145</key> <string>blockO_ctant-145.glif</string> <key>blockOctant-145.stypo</key> <string>blockO_ctant-145.stypo.glif</string> <key>blockOctant-245</key> <string>blockO_ctant-245.glif</string> <key>blockOctant-245.stypo</key> <string>blockO_ctant-245.stypo.glif</string> <key>blockOctant-1245</key> <string>blockO_ctant-1245.glif</string> <key>blockOctant-1245.stypo</key> <string>blockO_ctant-1245.stypo.glif</string> <key>blockOctant-345</key> <string>blockO_ctant-345.glif</string> <key>blockOctant-345.stypo</key> <string>blockO_ctant-345.stypo.glif</string> <key>blockOctant-1345</key> <string>blockO_ctant-1345.glif</string> <key>blockOctant-1345.stypo</key> <string>blockO_ctant-1345.stypo.glif</string> <key>blockOctant-2345</key> <string>blockO_ctant-2345.glif</string> <key>blockOctant-2345.stypo</key> <string>blockO_ctant-2345.stypo.glif</string> <key>blockOctant-12345</key> <string>blockO_ctant-12345.glif</string> <key>blockOctant-12345.stypo</key> <string>blockO_ctant-12345.stypo.glif</string> <key>blockOctant-6</key> <string>blockO_ctant-6.glif</string> <key>blockOctant-6.stypo</key> <string>blockO_ctant-6.stypo.glif</string> <key>blockOctant-16</key> <string>blockO_ctant-16.glif</string> <key>blockOctant-16.stypo</key> <string>blockO_ctant-16.stypo.glif</string> <key>blockOctant-26</key> <string>blockO_ctant-26.glif</string> <key>blockOctant-26.stypo</key> <string>blockO_ctant-26.stypo.glif</string> <key>blockOctant-126</key> <string>blockO_ctant-126.glif</string> <key>blockOctant-126.stypo</key> <string>blockO_ctant-126.stypo.glif</string> <key>blockOctant-36</key> <string>blockO_ctant-36.glif</string> <key>blockOctant-36.stypo</key> <string>blockO_ctant-36.stypo.glif</string> <key>blockOctant-136</key> <string>blockO_ctant-136.glif</string> <key>blockOctant-136.stypo</key> <string>blockO_ctant-136.stypo.glif</string> <key>blockOctant-236</key> <string>blockO_ctant-236.glif</string> <key>blockOctant-236.stypo</key> <string>blockO_ctant-236.stypo.glif</string> <key>blockOctant-1236</key> <string>blockO_ctant-1236.glif</string> <key>blockOctant-1236.stypo</key> <string>blockO_ctant-1236.stypo.glif</string> <key>blockOctant-146</key> <string>blockO_ctant-146.glif</string> <key>blockOctant-146.stypo</key> <string>blockO_ctant-146.stypo.glif</string> <key>blockOctant-246</key> <string>blockO_ctant-246.glif</string> <key>blockOctant-246.stypo</key> <string>blockO_ctant-246.stypo.glif</string> <key>blockOctant-1246</key> <string>blockO_ctant-1246.glif</string> <key>blockOctant-1246.stypo</key> <string>blockO_ctant-1246.stypo.glif</string> <key>blockOctant-346</key> <string>blockO_ctant-346.glif</string> <key>blockOctant-346.stypo</key> <string>blockO_ctant-346.stypo.glif</string> <key>blockOctant-1346</key> <string>blockO_ctant-1346.glif</string> <key>blockOctant-1346.stypo</key> <string>blockO_ctant-1346.stypo.glif</string> <key>blockOctant-2346</key> <string>blockO_ctant-2346.glif</string> <key>blockOctant-2346.stypo</key> <string>blockO_ctant-2346.stypo.glif</string> <key>blockOctant-12346</key> <string>blockO_ctant-12346.glif</string> <key>blockOctant-12346.stypo</key> <string>blockO_ctant-12346.stypo.glif</string> <key>blockOctant-56</key> <string>blockO_ctant-56.glif</string> <key>blockOctant-56.stypo</key> <string>blockO_ctant-56.stypo.glif</string> <key>blockOctant-156</key> <string>blockO_ctant-156.glif</string> <key>blockOctant-156.stypo</key> <string>blockO_ctant-156.stypo.glif</string> <key>blockOctant-256</key> <string>blockO_ctant-256.glif</string> <key>blockOctant-256.stypo</key> <string>blockO_ctant-256.stypo.glif</string> <key>blockOctant-1256</key> <string>blockO_ctant-1256.glif</string> <key>blockOctant-1256.stypo</key> <string>blockO_ctant-1256.stypo.glif</string> <key>blockOctant-356</key> <string>blockO_ctant-356.glif</string> <key>blockOctant-356.stypo</key> <string>blockO_ctant-356.stypo.glif</string> <key>blockOctant-1356</key> <string>blockO_ctant-1356.glif</string> <key>blockOctant-1356.stypo</key> <string>blockO_ctant-1356.stypo.glif</string> <key>blockOctant-2356</key> <string>blockO_ctant-2356.glif</string> <key>blockOctant-2356.stypo</key> <string>blockO_ctant-2356.stypo.glif</string> <key>blockOctant-12356</key> <string>blockO_ctant-12356.glif</string> <key>blockOctant-12356.stypo</key> <string>blockO_ctant-12356.stypo.glif</string> <key>blockOctant-456</key> <string>blockO_ctant-456.glif</string> <key>blockOctant-456.stypo</key> <string>blockO_ctant-456.stypo.glif</string> <key>blockOctant-1456</key> <string>blockO_ctant-1456.glif</string> <key>blockOctant-1456.stypo</key> <string>blockO_ctant-1456.stypo.glif</string> <key>blockOctant-2456</key> <string>blockO_ctant-2456.glif</string> <key>blockOctant-2456.stypo</key> <string>blockO_ctant-2456.stypo.glif</string> <key>blockOctant-12456</key> <string>blockO_ctant-12456.glif</string> <key>blockOctant-12456.stypo</key> <string>blockO_ctant-12456.stypo.glif</string> <key>blockOctant-3456</key> <string>blockO_ctant-3456.glif</string> <key>blockOctant-3456.stypo</key> <string>blockO_ctant-3456.stypo.glif</string> <key>blockOctant-13456</key> <string>blockO_ctant-13456.glif</string> <key>blockOctant-13456.stypo</key> <string>blockO_ctant-13456.stypo.glif</string> <key>blockOctant-23456</key> <string>blockO_ctant-23456.glif</string> <key>blockOctant-23456.stypo</key> <string>blockO_ctant-23456.stypo.glif</string> <key>blockOctant-123456</key> <string>blockO_ctant-123456.glif</string> <key>blockOctant-123456.stypo</key> <string>blockO_ctant-123456.stypo.glif</string> <key>blockOctant-7</key> <string>blockO_ctant-7.glif</string> <key>blockOctant-7.stypo</key> <string>blockO_ctant-7.stypo.glif</string> <key>blockOctant-17</key> <string>blockO_ctant-17.glif</string> <key>blockOctant-17.stypo</key> <string>blockO_ctant-17.stypo.glif</string> <key>blockOctant-27</key> <string>blockO_ctant-27.glif</string> <key>blockOctant-27.stypo</key> <string>blockO_ctant-27.stypo.glif</string> <key>blockOctant-127</key> <string>blockO_ctant-127.glif</string> <key>blockOctant-127.stypo</key> <string>blockO_ctant-127.stypo.glif</string> <key>blockOctant-37</key> <string>blockO_ctant-37.glif</string> <key>blockOctant-37.stypo</key> <string>blockO_ctant-37.stypo.glif</string> <key>blockOctant-137</key> <string>blockO_ctant-137.glif</string> <key>blockOctant-137.stypo</key> <string>blockO_ctant-137.stypo.glif</string> <key>blockOctant-237</key> <string>blockO_ctant-237.glif</string> <key>blockOctant-237.stypo</key> <string>blockO_ctant-237.stypo.glif</string> <key>blockOctant-1237</key> <string>blockO_ctant-1237.glif</string> <key>blockOctant-1237.stypo</key> <string>blockO_ctant-1237.stypo.glif</string> <key>blockOctant-47</key> <string>blockO_ctant-47.glif</string> <key>blockOctant-47.stypo</key> <string>blockO_ctant-47.stypo.glif</string> <key>blockOctant-147</key> <string>blockO_ctant-147.glif</string> <key>blockOctant-147.stypo</key> <string>blockO_ctant-147.stypo.glif</string> <key>blockOctant-247</key> <string>blockO_ctant-247.glif</string> <key>blockOctant-247.stypo</key> <string>blockO_ctant-247.stypo.glif</string> <key>blockOctant-1247</key> <string>blockO_ctant-1247.glif</string> <key>blockOctant-1247.stypo</key> <string>blockO_ctant-1247.stypo.glif</string> <key>blockOctant-347</key> <string>blockO_ctant-347.glif</string> <key>blockOctant-347.stypo</key> <string>blockO_ctant-347.stypo.glif</string> <key>blockOctant-1347</key> <string>blockO_ctant-1347.glif</string> <key>blockOctant-1347.stypo</key> <string>blockO_ctant-1347.stypo.glif</string> <key>blockOctant-2347</key> <string>blockO_ctant-2347.glif</string> <key>blockOctant-2347.stypo</key> <string>blockO_ctant-2347.stypo.glif</string> <key>blockOctant-12347</key> <string>blockO_ctant-12347.glif</string> <key>blockOctant-12347.stypo</key> <string>blockO_ctant-12347.stypo.glif</string> <key>blockOctant-157</key> <string>blockO_ctant-157.glif</string> <key>blockOctant-157.stypo</key> <string>blockO_ctant-157.stypo.glif</string> <key>blockOctant-257</key> <string>blockO_ctant-257.glif</string> <key>blockOctant-257.stypo</key> <string>blockO_ctant-257.stypo.glif</string> <key>blockOctant-1257</key> <string>blockO_ctant-1257.glif</string> <key>blockOctant-1257.stypo</key> <string>blockO_ctant-1257.stypo.glif</string> <key>blockOctant-357</key> <string>blockO_ctant-357.glif</string> <key>blockOctant-357.stypo</key> <string>blockO_ctant-357.stypo.glif</string> <key>blockOctant-2357</key> <string>blockO_ctant-2357.glif</string> <key>blockOctant-2357.stypo</key> <string>blockO_ctant-2357.stypo.glif</string> <key>blockOctant-12357</key> <string>blockO_ctant-12357.glif</string> <key>blockOctant-12357.stypo</key> <string>blockO_ctant-12357.stypo.glif</string> <key>blockOctant-457</key> <string>blockO_ctant-457.glif</string> <key>blockOctant-457.stypo</key> <string>blockO_ctant-457.stypo.glif</string> <key>blockOctant-1457</key> <string>blockO_ctant-1457.glif</string> <key>blockOctant-1457.stypo</key> <string>blockO_ctant-1457.stypo.glif</string> <key>blockOctant-12457</key> <string>blockO_ctant-12457.glif</string> <key>blockOctant-12457.stypo</key> <string>blockO_ctant-12457.stypo.glif</string> <key>blockOctant-3457</key> <string>blockO_ctant-3457.glif</string> <key>blockOctant-3457.stypo</key> <string>blockO_ctant-3457.stypo.glif</string> <key>blockOctant-13457</key> <string>blockO_ctant-13457.glif</string> <key>blockOctant-13457.stypo</key> <string>blockO_ctant-13457.stypo.glif</string> <key>blockOctant-23457</key> <string>blockO_ctant-23457.glif</string> <key>blockOctant-23457.stypo</key> <string>blockO_ctant-23457.stypo.glif</string> <key>blockOctant-67</key> <string>blockO_ctant-67.glif</string> <key>blockOctant-67.stypo</key> <string>blockO_ctant-67.stypo.glif</string> <key>blockOctant-167</key> <string>blockO_ctant-167.glif</string> <key>blockOctant-167.stypo</key> <string>blockO_ctant-167.stypo.glif</string> <key>blockOctant-267</key> <string>blockO_ctant-267.glif</string> <key>blockOctant-267.stypo</key> <string>blockO_ctant-267.stypo.glif</string> <key>blockOctant-1267</key> <string>blockO_ctant-1267.glif</string> <key>blockOctant-1267.stypo</key> <string>blockO_ctant-1267.stypo.glif</string> <key>blockOctant-367</key> <string>blockO_ctant-367.glif</string> <key>blockOctant-367.stypo</key> <string>blockO_ctant-367.stypo.glif</string> <key>blockOctant-1367</key> <string>blockO_ctant-1367.glif</string> <key>blockOctant-1367.stypo</key> <string>blockO_ctant-1367.stypo.glif</string> <key>blockOctant-2367</key> <string>blockO_ctant-2367.glif</string> <key>blockOctant-2367.stypo</key> <string>blockO_ctant-2367.stypo.glif</string> <key>blockOctant-12367</key> <string>blockO_ctant-12367.glif</string> <key>blockOctant-12367.stypo</key> <string>blockO_ctant-12367.stypo.glif</string> <key>blockOctant-467</key> <string>blockO_ctant-467.glif</string> <key>blockOctant-467.stypo</key> <string>blockO_ctant-467.stypo.glif</string> <key>blockOctant-1467</key> <string>blockO_ctant-1467.glif</string> <key>blockOctant-1467.stypo</key> <string>blockO_ctant-1467.stypo.glif</string> <key>blockOctant-2467</key> <string>blockO_ctant-2467.glif</string> <key>blockOctant-2467.stypo</key> <string>blockO_ctant-2467.stypo.glif</string> <key>blockOctant-12467</key> <string>blockO_ctant-12467.glif</string> <key>blockOctant-12467.stypo</key> <string>blockO_ctant-12467.stypo.glif</string> <key>blockOctant-3467</key> <string>blockO_ctant-3467.glif</string> <key>blockOctant-3467.stypo</key> <string>blockO_ctant-3467.stypo.glif</string> <key>blockOctant-13467</key> <string>blockO_ctant-13467.glif</string> <key>blockOctant-13467.stypo</key> <string>blockO_ctant-13467.stypo.glif</string> <key>blockOctant-23467</key> <string>blockO_ctant-23467.glif</string> <key>blockOctant-23467.stypo</key> <string>blockO_ctant-23467.stypo.glif</string> <key>blockOctant-123467</key> <string>blockO_ctant-123467.glif</string> <key>blockOctant-123467.stypo</key> <string>blockO_ctant-123467.stypo.glif</string> <key>blockOctant-567</key> <string>blockO_ctant-567.glif</string> <key>blockOctant-567.stypo</key> <string>blockO_ctant-567.stypo.glif</string> <key>blockOctant-1567</key> <string>blockO_ctant-1567.glif</string> <key>blockOctant-1567.stypo</key> <string>blockO_ctant-1567.stypo.glif</string> <key>blockOctant-2567</key> <string>blockO_ctant-2567.glif</string> <key>blockOctant-2567.stypo</key> <string>blockO_ctant-2567.stypo.glif</string> <key>blockOctant-12567</key> <string>blockO_ctant-12567.glif</string> <key>blockOctant-12567.stypo</key> <string>blockO_ctant-12567.stypo.glif</string> <key>blockOctant-3567</key> <string>blockO_ctant-3567.glif</string> <key>blockOctant-3567.stypo</key> <string>blockO_ctant-3567.stypo.glif</string> <key>blockOctant-13567</key> <string>blockO_ctant-13567.glif</string> <key>blockOctant-13567.stypo</key> <string>blockO_ctant-13567.stypo.glif</string> <key>blockOctant-23567</key> <string>blockO_ctant-23567.glif</string> <key>blockOctant-23567.stypo</key> <string>blockO_ctant-23567.stypo.glif</string> <key>blockOctant-123567</key> <string>blockO_ctant-123567.glif</string> <key>blockOctant-123567.stypo</key> <string>blockO_ctant-123567.stypo.glif</string> <key>blockOctant-4567</key> <string>blockO_ctant-4567.glif</string> <key>blockOctant-4567.stypo</key> <string>blockO_ctant-4567.stypo.glif</string> <key>blockOctant-14567</key> <string>blockO_ctant-14567.glif</string> <key>blockOctant-14567.stypo</key> <string>blockO_ctant-14567.stypo.glif</string> <key>blockOctant-24567</key> <string>blockO_ctant-24567.glif</string> <key>blockOctant-24567.stypo</key> <string>blockO_ctant-24567.stypo.glif</string> <key>blockOctant-124567</key> <string>blockO_ctant-124567.glif</string> <key>blockOctant-124567.stypo</key> <string>blockO_ctant-124567.stypo.glif</string> <key>blockOctant-34567</key> <string>blockO_ctant-34567.glif</string> <key>blockOctant-34567.stypo</key> <string>blockO_ctant-34567.stypo.glif</string> <key>blockOctant-134567</key> <string>blockO_ctant-134567.glif</string> <key>blockOctant-134567.stypo</key> <string>blockO_ctant-134567.stypo.glif</string> <key>blockOctant-234567</key> <string>blockO_ctant-234567.glif</string> <key>blockOctant-234567.stypo</key> <string>blockO_ctant-234567.stypo.glif</string> <key>blockOctant-1234567</key> <string>blockO_ctant-1234567.glif</string> <key>blockOctant-1234567.stypo</key> <string>blockO_ctant-1234567.stypo.glif</string> <key>blockOctant-8</key> <string>blockO_ctant-8.glif</string> <key>blockOctant-8.stypo</key> <string>blockO_ctant-8.stypo.glif</string> <key>blockOctant-18</key> <string>blockO_ctant-18.glif</string> <key>blockOctant-18.stypo</key> <string>blockO_ctant-18.stypo.glif</string> <key>blockOctant-28</key> <string>blockO_ctant-28.glif</string> <key>blockOctant-28.stypo</key> <string>blockO_ctant-28.stypo.glif</string> <key>blockOctant-128</key> <string>blockO_ctant-128.glif</string> <key>blockOctant-128.stypo</key> <string>blockO_ctant-128.stypo.glif</string> <key>blockOctant-38</key> <string>blockO_ctant-38.glif</string> <key>blockOctant-38.stypo</key> <string>blockO_ctant-38.stypo.glif</string> <key>blockOctant-138</key> <string>blockO_ctant-138.glif</string> <key>blockOctant-138.stypo</key> <string>blockO_ctant-138.stypo.glif</string> <key>blockOctant-238</key> <string>blockO_ctant-238.glif</string> <key>blockOctant-238.stypo</key> <string>blockO_ctant-238.stypo.glif</string> <key>blockOctant-1238</key> <string>blockO_ctant-1238.glif</string> <key>blockOctant-1238.stypo</key> <string>blockO_ctant-1238.stypo.glif</string> <key>blockOctant-48</key> <string>blockO_ctant-48.glif</string> <key>blockOctant-48.stypo</key> <string>blockO_ctant-48.stypo.glif</string> <key>blockOctant-148</key> <string>blockO_ctant-148.glif</string> <key>blockOctant-148.stypo</key> <string>blockO_ctant-148.stypo.glif</string> <key>blockOctant-248</key> <string>blockO_ctant-248.glif</string> <key>blockOctant-248.stypo</key> <string>blockO_ctant-248.stypo.glif</string> <key>blockOctant-1248</key> <string>blockO_ctant-1248.glif</string> <key>blockOctant-1248.stypo</key> <string>blockO_ctant-1248.stypo.glif</string> <key>blockOctant-348</key> <string>blockO_ctant-348.glif</string> <key>blockOctant-348.stypo</key> <string>blockO_ctant-348.stypo.glif</string> <key>blockOctant-1348</key> <string>blockO_ctant-1348.glif</string> <key>blockOctant-1348.stypo</key> <string>blockO_ctant-1348.stypo.glif</string> <key>blockOctant-2348</key> <string>blockO_ctant-2348.glif</string> <key>blockOctant-2348.stypo</key> <string>blockO_ctant-2348.stypo.glif</string> <key>blockOctant-12348</key> <string>blockO_ctant-12348.glif</string> <key>blockOctant-12348.stypo</key> <string>blockO_ctant-12348.stypo.glif</string> <key>blockOctant-58</key> <string>blockO_ctant-58.glif</string> <key>blockOctant-58.stypo</key> <string>blockO_ctant-58.stypo.glif</string> <key>blockOctant-158</key> <string>blockO_ctant-158.glif</string> <key>blockOctant-158.stypo</key> <string>blockO_ctant-158.stypo.glif</string> <key>blockOctant-258</key> <string>blockO_ctant-258.glif</string> <key>blockOctant-258.stypo</key> <string>blockO_ctant-258.stypo.glif</string> <key>blockOctant-1258</key> <string>blockO_ctant-1258.glif</string> <key>blockOctant-1258.stypo</key> <string>blockO_ctant-1258.stypo.glif</string> <key>blockOctant-358</key> <string>blockO_ctant-358.glif</string> <key>blockOctant-358.stypo</key> <string>blockO_ctant-358.stypo.glif</string> <key>blockOctant-1358</key> <string>blockO_ctant-1358.glif</string> <key>blockOctant-1358.stypo</key> <string>blockO_ctant-1358.stypo.glif</string> <key>blockOctant-2358</key> <string>blockO_ctant-2358.glif</string> <key>blockOctant-2358.stypo</key> <string>blockO_ctant-2358.stypo.glif</string> <key>blockOctant-12358</key> <string>blockO_ctant-12358.glif</string> <key>blockOctant-12358.stypo</key> <string>blockO_ctant-12358.stypo.glif</string> <key>blockOctant-458</key> <string>blockO_ctant-458.glif</string> <key>blockOctant-458.stypo</key> <string>blockO_ctant-458.stypo.glif</string> <key>blockOctant-1458</key> <string>blockO_ctant-1458.glif</string> <key>blockOctant-1458.stypo</key> <string>blockO_ctant-1458.stypo.glif</string> <key>blockOctant-2458</key> <string>blockO_ctant-2458.glif</string> <key>blockOctant-2458.stypo</key> <string>blockO_ctant-2458.stypo.glif</string> <key>blockOctant-12458</key> <string>blockO_ctant-12458.glif</string> <key>blockOctant-12458.stypo</key> <string>blockO_ctant-12458.stypo.glif</string> <key>blockOctant-3458</key> <string>blockO_ctant-3458.glif</string> <key>blockOctant-3458.stypo</key> <string>blockO_ctant-3458.stypo.glif</string> <key>blockOctant-13458</key> <string>blockO_ctant-13458.glif</string> <key>blockOctant-13458.stypo</key> <string>blockO_ctant-13458.stypo.glif</string> <key>blockOctant-23458</key> <string>blockO_ctant-23458.glif</string> <key>blockOctant-23458.stypo</key> <string>blockO_ctant-23458.stypo.glif</string> <key>blockOctant-123458</key> <string>blockO_ctant-123458.glif</string> <key>blockOctant-123458.stypo</key> <string>blockO_ctant-123458.stypo.glif</string> <key>blockOctant-168</key> <string>blockO_ctant-168.glif</string> <key>blockOctant-168.stypo</key> <string>blockO_ctant-168.stypo.glif</string> <key>blockOctant-268</key> <string>blockO_ctant-268.glif</string> <key>blockOctant-268.stypo</key> <string>blockO_ctant-268.stypo.glif</string> <key>blockOctant-1268</key> <string>blockO_ctant-1268.glif</string> <key>blockOctant-1268.stypo</key> <string>blockO_ctant-1268.stypo.glif</string> <key>blockOctant-368</key> <string>blockO_ctant-368.glif</string> <key>blockOctant-368.stypo</key> <string>blockO_ctant-368.stypo.glif</string> <key>blockOctant-2368</key> <string>blockO_ctant-2368.glif</string> <key>blockOctant-2368.stypo</key> <string>blockO_ctant-2368.stypo.glif</string> <key>blockOctant-12368</key> <string>blockO_ctant-12368.glif</string> <key>blockOctant-12368.stypo</key> <string>blockO_ctant-12368.stypo.glif</string> <key>blockOctant-468</key> <string>blockO_ctant-468.glif</string> <key>blockOctant-468.stypo</key> <string>blockO_ctant-468.stypo.glif</string> <key>blockOctant-1468</key> <string>blockO_ctant-1468.glif</string> <key>blockOctant-1468.stypo</key> <string>blockO_ctant-1468.stypo.glif</string> <key>blockOctant-12468</key> <string>blockO_ctant-12468.glif</string> <key>blockOctant-12468.stypo</key> <string>blockO_ctant-12468.stypo.glif</string> <key>blockOctant-3468</key> <string>blockO_ctant-3468.glif</string> <key>blockOctant-3468.stypo</key> <string>blockO_ctant-3468.stypo.glif</string> <key>blockOctant-13468</key> <string>blockO_ctant-13468.glif</string> <key>blockOctant-13468.stypo</key> <string>blockO_ctant-13468.stypo.glif</string> <key>blockOctant-23468</key> <string>blockO_ctant-23468.glif</string> <key>blockOctant-23468.stypo</key> <string>blockO_ctant-23468.stypo.glif</string> <key>blockOctant-568</key> <string>blockO_ctant-568.glif</string> <key>blockOctant-568.stypo</key> <string>blockO_ctant-568.stypo.glif</string> <key>blockOctant-1568</key> <string>blockO_ctant-1568.glif</string> <key>blockOctant-1568.stypo</key> <string>blockO_ctant-1568.stypo.glif</string> <key>blockOctant-2568</key> <string>blockO_ctant-2568.glif</string> <key>blockOctant-2568.stypo</key> <string>blockO_ctant-2568.stypo.glif</string> <key>blockOctant-12568</key> <string>blockO_ctant-12568.glif</string> <key>blockOctant-12568.stypo</key> <string>blockO_ctant-12568.stypo.glif</string> <key>blockOctant-3568</key> <string>blockO_ctant-3568.glif</string> <key>blockOctant-3568.stypo</key> <string>blockO_ctant-3568.stypo.glif</string> <key>blockOctant-13568</key> <string>blockO_ctant-13568.glif</string> <key>blockOctant-13568.stypo</key> <string>blockO_ctant-13568.stypo.glif</string> <key>blockOctant-23568</key> <string>blockO_ctant-23568.glif</string> <key>blockOctant-23568.stypo</key> <string>blockO_ctant-23568.stypo.glif</string> <key>blockOctant-123568</key> <string>blockO_ctant-123568.glif</string> <key>blockOctant-123568.stypo</key> <string>blockO_ctant-123568.stypo.glif</string> <key>blockOctant-4568</key> <string>blockO_ctant-4568.glif</string> <key>blockOctant-4568.stypo</key> <string>blockO_ctant-4568.stypo.glif</string> <key>blockOctant-14568</key> <string>blockO_ctant-14568.glif</string> <key>blockOctant-14568.stypo</key> <string>blockO_ctant-14568.stypo.glif</string> <key>blockOctant-24568</key> <string>blockO_ctant-24568.glif</string> <key>blockOctant-24568.stypo</key> <string>blockO_ctant-24568.stypo.glif</string> <key>blockOctant-124568</key> <string>blockO_ctant-124568.glif</string> <key>blockOctant-124568.stypo</key> <string>blockO_ctant-124568.stypo.glif</string> <key>blockOctant-34568</key> <string>blockO_ctant-34568.glif</string> <key>blockOctant-34568.stypo</key> <string>blockO_ctant-34568.stypo.glif</string> <key>blockOctant-134568</key> <string>blockO_ctant-134568.glif</string> <key>blockOctant-134568.stypo</key> <string>blockO_ctant-134568.stypo.glif</string> <key>blockOctant-234568</key> <string>blockO_ctant-234568.glif</string> <key>blockOctant-234568.stypo</key> <string>blockO_ctant-234568.stypo.glif</string> <key>blockOctant-1234568</key> <string>blockO_ctant-1234568.glif</string> <key>blockOctant-1234568.stypo</key> <string>blockO_ctant-1234568.stypo.glif</string> <key>blockOctant-178</key> <string>blockO_ctant-178.glif</string> <key>blockOctant-178.stypo</key> <string>blockO_ctant-178.stypo.glif</string> <key>blockOctant-278</key> <string>blockO_ctant-278.glif</string> <key>blockOctant-278.stypo</key> <string>blockO_ctant-278.stypo.glif</string> <key>blockOctant-1278</key> <string>blockO_ctant-1278.glif</string> <key>blockOctant-1278.stypo</key> <string>blockO_ctant-1278.stypo.glif</string> <key>blockOctant-378</key> <string>blockO_ctant-378.glif</string> <key>blockOctant-378.stypo</key> <string>blockO_ctant-378.stypo.glif</string> <key>blockOctant-1378</key> <string>blockO_ctant-1378.glif</string> <key>blockOctant-1378.stypo</key> <string>blockO_ctant-1378.stypo.glif</string> <key>blockOctant-2378</key> <string>blockO_ctant-2378.glif</string> <key>blockOctant-2378.stypo</key> <string>blockO_ctant-2378.stypo.glif</string> <key>blockOctant-12378</key> <string>blockO_ctant-12378.glif</string> <key>blockOctant-12378.stypo</key> <string>blockO_ctant-12378.stypo.glif</string> <key>blockOctant-478</key> <string>blockO_ctant-478.glif</string> <key>blockOctant-478.stypo</key> <string>blockO_ctant-478.stypo.glif</string> <key>blockOctant-1478</key> <string>blockO_ctant-1478.glif</string> <key>blockOctant-1478.stypo</key> <string>blockO_ctant-1478.stypo.glif</string> <key>blockOctant-2478</key> <string>blockO_ctant-2478.glif</string> <key>blockOctant-2478.stypo</key> <string>blockO_ctant-2478.stypo.glif</string> <key>blockOctant-12478</key> <string>blockO_ctant-12478.glif</string> <key>blockOctant-12478.stypo</key> <string>blockO_ctant-12478.stypo.glif</string> <key>blockOctant-3478</key> <string>blockO_ctant-3478.glif</string> <key>blockOctant-3478.stypo</key> <string>blockO_ctant-3478.stypo.glif</string> <key>blockOctant-13478</key> <string>blockO_ctant-13478.glif</string> <key>blockOctant-13478.stypo</key> <string>blockO_ctant-13478.stypo.glif</string> <key>blockOctant-23478</key> <string>blockO_ctant-23478.glif</string> <key>blockOctant-23478.stypo</key> <string>blockO_ctant-23478.stypo.glif</string> <key>blockOctant-123478</key> <string>blockO_ctant-123478.glif</string> <key>blockOctant-123478.stypo</key> <string>blockO_ctant-123478.stypo.glif</string> <key>blockOctant-578</key> <string>blockO_ctant-578.glif</string> <key>blockOctant-578.stypo</key> <string>blockO_ctant-578.stypo.glif</string> <key>blockOctant-1578</key> <string>blockO_ctant-1578.glif</string> <key>blockOctant-1578.stypo</key> <string>blockO_ctant-1578.stypo.glif</string> <key>blockOctant-2578</key> <string>blockO_ctant-2578.glif</string> <key>blockOctant-2578.stypo</key> <string>blockO_ctant-2578.stypo.glif</string> <key>blockOctant-12578</key> <string>blockO_ctant-12578.glif</string> <key>blockOctant-12578.stypo</key> <string>blockO_ctant-12578.stypo.glif</string> <key>blockOctant-3578</key> <string>blockO_ctant-3578.glif</string> <key>blockOctant-3578.stypo</key> <string>blockO_ctant-3578.stypo.glif</string> <key>blockOctant-13578</key> <string>blockO_ctant-13578.glif</string> <key>blockOctant-13578.stypo</key> <string>blockO_ctant-13578.stypo.glif</string> <key>blockOctant-23578</key> <string>blockO_ctant-23578.glif</string> <key>blockOctant-23578.stypo</key> <string>blockO_ctant-23578.stypo.glif</string> <key>blockOctant-123578</key> <string>blockO_ctant-123578.glif</string> <key>blockOctant-123578.stypo</key> <string>blockO_ctant-123578.stypo.glif</string> <key>blockOctant-4578</key> <string>blockO_ctant-4578.glif</string> <key>blockOctant-4578.stypo</key> <string>blockO_ctant-4578.stypo.glif</string> <key>blockOctant-14578</key> <string>blockO_ctant-14578.glif</string> <key>blockOctant-14578.stypo</key> <string>blockO_ctant-14578.stypo.glif</string> <key>blockOctant-24578</key> <string>blockO_ctant-24578.glif</string> <key>blockOctant-24578.stypo</key> <string>blockO_ctant-24578.stypo.glif</string> <key>blockOctant-124578</key> <string>blockO_ctant-124578.glif</string> <key>blockOctant-124578.stypo</key> <string>blockO_ctant-124578.stypo.glif</string> <key>blockOctant-34578</key> <string>blockO_ctant-34578.glif</string> <key>blockOctant-34578.stypo</key> <string>blockO_ctant-34578.stypo.glif</string> <key>blockOctant-134578</key> <string>blockO_ctant-134578.glif</string> <key>blockOctant-134578.stypo</key> <string>blockO_ctant-134578.stypo.glif</string> <key>blockOctant-234578</key> <string>blockO_ctant-234578.glif</string> <key>blockOctant-234578.stypo</key> <string>blockO_ctant-234578.stypo.glif</string> <key>blockOctant-1234578</key> <string>blockO_ctant-1234578.glif</string> <key>blockOctant-1234578.stypo</key> <string>blockO_ctant-1234578.stypo.glif</string> <key>blockOctant-678</key> <string>blockO_ctant-678.glif</string> <key>blockOctant-678.stypo</key> <string>blockO_ctant-678.stypo.glif</string> <key>blockOctant-1678</key> <string>blockO_ctant-1678.glif</string> <key>blockOctant-1678.stypo</key> <string>blockO_ctant-1678.stypo.glif</string> <key>blockOctant-2678</key> <string>blockO_ctant-2678.glif</string> <key>blockOctant-2678.stypo</key> <string>blockO_ctant-2678.stypo.glif</string> <key>blockOctant-12678</key> <string>blockO_ctant-12678.glif</string> <key>blockOctant-12678.stypo</key> <string>blockO_ctant-12678.stypo.glif</string> <key>blockOctant-3678</key> <string>blockO_ctant-3678.glif</string> <key>blockOctant-3678.stypo</key> <string>blockO_ctant-3678.stypo.glif</string> <key>blockOctant-13678</key> <string>blockO_ctant-13678.glif</string> <key>blockOctant-13678.stypo</key> <string>blockO_ctant-13678.stypo.glif</string> <key>blockOctant-23678</key> <string>blockO_ctant-23678.glif</string> <key>blockOctant-23678.stypo</key> <string>blockO_ctant-23678.stypo.glif</string> <key>blockOctant-123678</key> <string>blockO_ctant-123678.glif</string> <key>blockOctant-123678.stypo</key> <string>blockO_ctant-123678.stypo.glif</string> <key>blockOctant-4678</key> <string>blockO_ctant-4678.glif</string> <key>blockOctant-4678.stypo</key> <string>blockO_ctant-4678.stypo.glif</string> <key>blockOctant-14678</key> <string>blockO_ctant-14678.glif</string> <key>blockOctant-14678.stypo</key> <string>blockO_ctant-14678.stypo.glif</string> <key>blockOctant-24678</key> <string>blockO_ctant-24678.glif</string> <key>blockOctant-24678.stypo</key> <string>blockO_ctant-24678.stypo.glif</string> <key>blockOctant-124678</key> <string>blockO_ctant-124678.glif</string> <key>blockOctant-124678.stypo</key> <string>blockO_ctant-124678.stypo.glif</string> <key>blockOctant-34678</key> <string>blockO_ctant-34678.glif</string> <key>blockOctant-34678.stypo</key> <string>blockO_ctant-34678.stypo.glif</string> <key>blockOctant-134678</key> <string>blockO_ctant-134678.glif</string> <key>blockOctant-134678.stypo</key> <string>blockO_ctant-134678.stypo.glif</string> <key>blockOctant-234678</key> <string>blockO_ctant-234678.glif</string> <key>blockOctant-234678.stypo</key> <string>blockO_ctant-234678.stypo.glif</string> <key>blockOctant-1234678</key> <string>blockO_ctant-1234678.glif</string> <key>blockOctant-1234678.stypo</key> <string>blockO_ctant-1234678.stypo.glif</string> <key>blockOctant-15678</key> <string>blockO_ctant-15678.glif</string> <key>blockOctant-15678.stypo</key> <string>blockO_ctant-15678.stypo.glif</string> <key>blockOctant-25678</key> <string>blockO_ctant-25678.glif</string> <key>blockOctant-25678.stypo</key> <string>blockO_ctant-25678.stypo.glif</string> <key>blockOctant-125678</key> <string>blockO_ctant-125678.glif</string> <key>blockOctant-125678.stypo</key> <string>blockO_ctant-125678.stypo.glif</string> <key>blockOctant-35678</key> <string>blockO_ctant-35678.glif</string> <key>blockOctant-35678.stypo</key> <string>blockO_ctant-35678.stypo.glif</string> <key>blockOctant-235678</key> <string>blockO_ctant-235678.glif</string> <key>blockOctant-235678.stypo</key> <string>blockO_ctant-235678.stypo.glif</string> <key>blockOctant-1235678</key> <string>blockO_ctant-1235678.glif</string> <key>blockOctant-1235678.stypo</key> <string>blockO_ctant-1235678.stypo.glif</string> <key>blockOctant-45678</key> <string>blockO_ctant-45678.glif</string> <key>blockOctant-45678.stypo</key> <string>blockO_ctant-45678.stypo.glif</string> <key>blockOctant-145678</key> <string>blockO_ctant-145678.glif</string> <key>blockOctant-145678.stypo</key> <string>blockO_ctant-145678.stypo.glif</string> <key>blockOctant-1245678</key> <string>blockO_ctant-1245678.glif</string> <key>blockOctant-1245678.stypo</key> <string>blockO_ctant-1245678.stypo.glif</string> <key>blockOctant-1345678</key> <string>blockO_ctant-1345678.glif</string> <key>blockOctant-1345678.stypo</key> <string>blockO_ctant-1345678.stypo.glif</string> <key>blockOctant-2345678</key> <string>blockO_ctant-2345678.glif</string> <key>blockOctant-2345678.stypo</key> <string>blockO_ctant-2345678.stypo.glif</string> <key>blockSedecimant-1</key> <string>blockS_edecimant-1.glif</string> <key>blockSedecimant-1.stypo</key> <string>blockS_edecimant-1.stypo.glif</string> <key>blockSedecimant-2</key> <string>blockS_edecimant-2.glif</string> <key>blockSedecimant-2.stypo</key> <string>blockS_edecimant-2.stypo.glif</string> <key>blockSedecimant-3</key> <string>blockS_edecimant-3.glif</string> <key>blockSedecimant-3.stypo</key> <string>blockS_edecimant-3.stypo.glif</string> <key>blockSedecimant-4</key> <string>blockS_edecimant-4.glif</string> <key>blockSedecimant-4.stypo</key> <string>blockS_edecimant-4.stypo.glif</string> <key>blockSedecimant-5</key> <string>blockS_edecimant-5.glif</string> <key>blockSedecimant-5.stypo</key> <string>blockS_edecimant-5.stypo.glif</string> <key>blockSedecimant-6</key> <string>blockS_edecimant-6.glif</string> <key>blockSedecimant-6.stypo</key> <string>blockS_edecimant-6.stypo.glif</string> <key>blockSedecimant-7</key> <string>blockS_edecimant-7.glif</string> <key>blockSedecimant-7.stypo</key> <string>blockS_edecimant-7.stypo.glif</string> <key>blockSedecimant-8</key> <string>blockS_edecimant-8.glif</string> <key>blockSedecimant-8.stypo</key> <string>blockS_edecimant-8.stypo.glif</string> <key>blockSedecimant-9</key> <string>blockS_edecimant-9.glif</string> <key>blockSedecimant-9.stypo</key> <string>blockS_edecimant-9.stypo.glif</string> <key>blockSedecimant-A</key> <string>blockS_edecimant-A.glif</string> <key>blockSedecimant-A.stypo</key> <string>blockS_edecimant-A.stypo.glif</string> <key>blockSedecimant-B</key> <string>blockS_edecimant-B.glif</string> <key>blockSedecimant-B.stypo</key> <string>blockS_edecimant-B.stypo.glif</string> <key>blockSedecimant-C</key> <string>blockS_edecimant-C.glif</string> <key>blockSedecimant-C.stypo</key> <string>blockS_edecimant-C.stypo.glif</string> <key>blockSedecimant-D</key> <string>blockS_edecimant-D.glif</string> <key>blockSedecimant-D.stypo</key> <string>blockS_edecimant-D.stypo.glif</string> <key>blockSedecimant-E</key> <string>blockS_edecimant-E.glif</string> <key>blockSedecimant-E.stypo</key> <string>blockS_edecimant-E.stypo.glif</string> <key>blockSedecimant-F</key> <string>blockS_edecimant-F.glif</string> <key>blockSedecimant-F.stypo</key> <string>blockS_edecimant-F.stypo.glif</string> <key>blockSedecimant-G</key> <string>blockS_edecimant-G.glif</string> <key>blockSedecimant-G.stypo</key> <string>blockS_edecimant-G.stypo.glif</string> <key>blockSedecimant-EFG</key> <string>blockS_edecimant-EFG.glif</string> <key>blockSedecimant-EFG.stypo</key> <string>blockS_edecimant-EFG.stypo.glif</string> <key>blockSedecimant-DEF</key> <string>blockS_edecimant-DEF.glif</string> <key>blockSedecimant-DEF.stypo</key> <string>blockS_edecimant-DEF.stypo.glif</string> <key>blockSedecimant-9D</key> <string>blockS_edecimant-9D.glif</string> <key>blockSedecimant-9D.stypo</key> <string>blockS_edecimant-9D.stypo.glif</string> <key>blockSedecimant-59D</key> <string>blockS_edecimant-59D.glif</string> <key>blockSedecimant-59D.stypo</key> <string>blockS_edecimant-59D.stypo.glif</string> <key>blockSedecimant-159</key> <string>blockS_edecimant-159.glif</string> <key>blockSedecimant-159.stypo</key> <string>blockS_edecimant-159.stypo.glif</string> <key>blockSedecimant-15</key> <string>blockS_edecimant-15.glif</string> <key>blockSedecimant-15.stypo</key> <string>blockS_edecimant-15.stypo.glif</string> <key>blockSedecimant-123</key> <string>blockS_edecimant-123.glif</string> <key>blockSedecimant-123.stypo</key> <string>blockS_edecimant-123.stypo.glif</string> <key>blockSedecimant-234</key> <string>blockS_edecimant-234.glif</string> <key>blockSedecimant-234.stypo</key> <string>blockS_edecimant-234.stypo.glif</string> <key>blockSedecimant-48</key> <string>blockS_edecimant-48.glif</string> <key>blockSedecimant-48.stypo</key> <string>blockS_edecimant-48.stypo.glif</string> <key>blockSedecimant-48C</key> <string>blockS_edecimant-48C.glif</string> <key>blockSedecimant-48C.stypo</key> <string>blockS_edecimant-48C.stypo.glif</string> <key>blockSedecimant-8CG</key> <string>blockS_edecimant-8CG.glif</string> <key>blockSedecimant-8CG.stypo</key> <string>blockS_edecimant-8CG.stypo.glif</string> <key>blockSedecimant-CG</key> <string>blockS_edecimant-CG.glif</string> <key>blockSedecimant-CG.stypo</key> <string>blockS_edecimant-CG.stypo.glif</string> <key>verticalOneEighthBlock-2</key> <string>verticalO_neE_ighthB_lock-2.glif</string> <key>verticalOneEighthBlock-2.stypo</key> <string>verticalO_neE_ighthB_lock-2.stypo.glif</string> <key>verticalOneEighthBlock-3</key> <string>verticalO_neE_ighthB_lock-3.glif</string> <key>verticalOneEighthBlock-3.stypo</key> <string>verticalO_neE_ighthB_lock-3.stypo.glif</string> <key>verticalOneEighthBlock-4</key> <string>verticalO_neE_ighthB_lock-4.glif</string> <key>verticalOneEighthBlock-4.stypo</key> <string>verticalO_neE_ighthB_lock-4.stypo.glif</string> <key>verticalOneEighthBlock-5</key> <string>verticalO_neE_ighthB_lock-5.glif</string> <key>verticalOneEighthBlock-5.stypo</key> <string>verticalO_neE_ighthB_lock-5.stypo.glif</string> <key>verticalOneEighthBlock-6</key> <string>verticalO_neE_ighthB_lock-6.glif</string> <key>verticalOneEighthBlock-6.stypo</key> <string>verticalO_neE_ighthB_lock-6.stypo.glif</string> <key>verticalOneEighthBlock-7</key> <string>verticalO_neE_ighthB_lock-7.glif</string> <key>verticalOneEighthBlock-7.stypo</key> <string>verticalO_neE_ighthB_lock-7.stypo.glif</string> <key>horizontalOneEightBlock-2</key> <string>horizontalO_neE_ightB_lock-2.glif</string> <key>horizontalOneEightBlock-2.stypo</key> <string>horizontalO_neE_ightB_lock-2.stypo.glif</string> <key>horizontalOneEightBlock-3</key> <string>horizontalO_neE_ightB_lock-3.glif</string> <key>horizontalOneEightBlock-3.stypo</key> <string>horizontalO_neE_ightB_lock-3.stypo.glif</string> <key>horizontalOneEightBlock-4</key> <string>horizontalO_neE_ightB_lock-4.glif</string> <key>horizontalOneEightBlock-4.stypo</key> <string>horizontalO_neE_ightB_lock-4.stypo.glif</string> <key>horizontalOneEightBlock-5</key> <string>horizontalO_neE_ightB_lock-5.glif</string> <key>horizontalOneEightBlock-5.stypo</key> <string>horizontalO_neE_ightB_lock-5.stypo.glif</string> <key>horizontalOneEightBlock-6</key> <string>horizontalO_neE_ightB_lock-6.glif</string> <key>horizontalOneEightBlock-6.stypo</key> <string>horizontalO_neE_ightB_lock-6.stypo.glif</string> <key>horizontalOneEightBlock-7</key> <string>horizontalO_neE_ightB_lock-7.glif</string> <key>horizontalOneEightBlock-7.stypo</key> <string>horizontalO_neE_ightB_lock-7.stypo.glif</string> <key>leftAndLowerOneEightBlock</key> <string>leftA_ndL_owerO_neE_ightB_lock.glif</string> <key>leftAndLowerOneEightBlock.stypo</key> <string>leftA_ndL_owerO_neE_ightB_lock.stypo.glif</string> <key>leftAndUpperOneEightBlock</key> <string>leftA_ndU_pperO_neE_ightB_lock.glif</string> <key>leftAndUpperOneEightBlock.stypo</key> <string>leftA_ndU_pperO_neE_ightB_lock.stypo.glif</string> <key>rightAndUpperOneEightBlock</key> <string>rightA_ndU_pperO_neE_ightB_lock.glif</string> <key>rightAndUpperOneEightBlock.stypo</key> <string>rightA_ndU_pperO_neE_ightB_lock.stypo.glif</string> <key>rightAndLowerOneEightBlock</key> <string>rightA_ndL_owerO_neE_ightB_lock.glif</string> <key>rightAndLowerOneEightBlock.stypo</key> <string>rightA_ndL_owerO_neE_ightB_lock.stypo.glif</string> <key>upperAndLowerOneEightBlock</key> <string>upperA_ndL_owerO_neE_ightB_lock.glif</string> <key>upperAndLowerOneEightBlock.stypo</key> <string>upperA_ndL_owerO_neE_ightB_lock.stypo.glif</string> <key>upperThreeEighthsBlock</key> <string>upperT_hreeE_ighthsB_lock.glif</string> <key>upperThreeEighthsBlock.stypo</key> <string>upperT_hreeE_ighthsB_lock.stypo.glif</string> <key>upperFiveEighthsBlock</key> <string>upperF_iveE_ighthsB_lock.glif</string> <key>upperFiveEighthsBlock.stypo</key> <string>upperF_iveE_ighthsB_lock.stypo.glif</string> <key>upperSevenEighthsBlock</key> <string>upperS_evenE_ighthsB_lock.glif</string> <key>upperSevenEighthsBlock.stypo</key> <string>upperS_evenE_ighthsB_lock.stypo.glif</string> <key>rightOneQuarterBlock</key> <string>rightO_neQ_uarterB_lock.glif</string> <key>rightOneQuarterBlock.stypo</key> <string>rightO_neQ_uarterB_lock.stypo.glif</string> <key>rightThreeEighthsBlock</key> <string>rightT_hreeE_ighthsB_lock.glif</string> <key>rightThreeEighthsBlock.stypo</key> <string>rightT_hreeE_ighthsB_lock.stypo.glif</string> <key>rightFiveEighthsBlock</key> <string>rightF_iveE_ighthsB_lock.glif</string> <key>rightFiveEighthsBlock.stypo</key> <string>rightF_iveE_ighthsB_lock.stypo.glif</string> <key>rightThreeQuartersBlock</key> <string>rightT_hreeQ_uartersB_lock.glif</string> <key>rightThreeQuartersBlock.stypo</key> <string>rightT_hreeQ_uartersB_lock.stypo.glif</string> <key>rightSevenEighthsBlock</key> <string>rightS_evenE_ighthsB_lock.glif</string> <key>rightSevenEighthsBlock.stypo</key> <string>rightS_evenE_ighthsB_lock.stypo.glif</string> <key>leftTwoThirdsBlock</key> <string>leftT_woT_hirdsB_lock.glif</string> <key>leftTwoThirdsBlock.stypo</key> <string>leftT_woT_hirdsB_lock.stypo.glif</string> <key>leftOneThirdBlock</key> <string>leftO_neT_hirdB_lock.glif</string> <key>leftOneThirdBlock.stypo</key> <string>leftO_neT_hirdB_lock.stypo.glif</string> <key>heavyHorizontalFill</key> <string>heavyH_orizontalF_ill.glif</string> <key>heavyHorizontalFill.stypo</key> <string>heavyH_orizontalF_ill.stypo.glif</string> <key>blockSeparatedQuadrant-1</key> <string>blockS_eparatedQ_uadrant-1.glif</string> <key>blockSeparatedQuadrant-1.stypo</key> <string>blockS_eparatedQ_uadrant-1.stypo.glif</string> <key>blockSeparatedQuadrant-2</key> <string>blockS_eparatedQ_uadrant-2.glif</string> <key>blockSeparatedQuadrant-2.stypo</key> <string>blockS_eparatedQ_uadrant-2.stypo.glif</string> <key>blockSeparatedQuadrant-12</key> <string>blockS_eparatedQ_uadrant-12.glif</string> <key>blockSeparatedQuadrant-12.stypo</key> <string>blockS_eparatedQ_uadrant-12.stypo.glif</string> <key>blockSeparatedQuadrant-3</key> <string>blockS_eparatedQ_uadrant-3.glif</string> <key>blockSeparatedQuadrant-3.stypo</key> <string>blockS_eparatedQ_uadrant-3.stypo.glif</string> <key>blockSeparatedQuadrant-13</key> <string>blockS_eparatedQ_uadrant-13.glif</string> <key>blockSeparatedQuadrant-13.stypo</key> <string>blockS_eparatedQ_uadrant-13.stypo.glif</string> <key>blockSeparatedQuadrant-23</key> <string>blockS_eparatedQ_uadrant-23.glif</string> <key>blockSeparatedQuadrant-23.stypo</key> <string>blockS_eparatedQ_uadrant-23.stypo.glif</string> <key>blockSeparatedQuadrant-123</key> <string>blockS_eparatedQ_uadrant-123.glif</string> <key>blockSeparatedQuadrant-123.stypo</key> <string>blockS_eparatedQ_uadrant-123.stypo.glif</string> <key>blockSeparatedQuadrant-4</key> <string>blockS_eparatedQ_uadrant-4.glif</string> <key>blockSeparatedQuadrant-4.stypo</key> <string>blockS_eparatedQ_uadrant-4.stypo.glif</string> <key>blockSeparatedQuadrant-14</key> <string>blockS_eparatedQ_uadrant-14.glif</string> <key>blockSeparatedQuadrant-14.stypo</key> <string>blockS_eparatedQ_uadrant-14.stypo.glif</string> <key>blockSeparatedQuadrant-24</key> <string>blockS_eparatedQ_uadrant-24.glif</string> <key>blockSeparatedQuadrant-24.stypo</key> <string>blockS_eparatedQ_uadrant-24.stypo.glif</string> <key>blockSeparatedQuadrant-124</key> <string>blockS_eparatedQ_uadrant-124.glif</string> <key>blockSeparatedQuadrant-124.stypo</key> <string>blockS_eparatedQ_uadrant-124.stypo.glif</string> <key>blockSeparatedQuadrant-34</key> <string>blockS_eparatedQ_uadrant-34.glif</string> <key>blockSeparatedQuadrant-34.stypo</key> <string>blockS_eparatedQ_uadrant-34.stypo.glif</string> <key>blockSeparatedQuadrant-134</key> <string>blockS_eparatedQ_uadrant-134.glif</string> <key>blockSeparatedQuadrant-134.stypo</key> <string>blockS_eparatedQ_uadrant-134.stypo.glif</string> <key>blockSeparatedQuadrant-234</key> <string>blockS_eparatedQ_uadrant-234.glif</string> <key>blockSeparatedQuadrant-234.stypo</key> <string>blockS_eparatedQ_uadrant-234.stypo.glif</string> <key>blockSeparatedQuadrant-1234</key> <string>blockS_eparatedQ_uadrant-1234.glif</string> <key>blockSeparatedQuadrant-1234.stypo</key> <string>blockS_eparatedQ_uadrant-1234.stypo.glif</string> <key>blockSeparatedSextant-1</key> <string>blockS_eparatedS_extant-1.glif</string> <key>blockSeparatedSextant-1.stypo</key> <string>blockS_eparatedS_extant-1.stypo.glif</string> <key>blockSeparatedSextant-2</key> <string>blockS_eparatedS_extant-2.glif</string> <key>blockSeparatedSextant-2.stypo</key> <string>blockS_eparatedS_extant-2.stypo.glif</string> <key>blockSeparatedSextant-12</key> <string>blockS_eparatedS_extant-12.glif</string> <key>blockSeparatedSextant-12.stypo</key> <string>blockS_eparatedS_extant-12.stypo.glif</string> <key>blockSeparatedSextant-3</key> <string>blockS_eparatedS_extant-3.glif</string> <key>blockSeparatedSextant-3.stypo</key> <string>blockS_eparatedS_extant-3.stypo.glif</string> <key>blockSeparatedSextant-13</key> <string>blockS_eparatedS_extant-13.glif</string> <key>blockSeparatedSextant-13.stypo</key> <string>blockS_eparatedS_extant-13.stypo.glif</string> <key>blockSeparatedSextant-23</key> <string>blockS_eparatedS_extant-23.glif</string> <key>blockSeparatedSextant-23.stypo</key> <string>blockS_eparatedS_extant-23.stypo.glif</string> <key>blockSeparatedSextant-123</key> <string>blockS_eparatedS_extant-123.glif</string> <key>blockSeparatedSextant-123.stypo</key> <string>blockS_eparatedS_extant-123.stypo.glif</string> <key>blockSeparatedSextant-4</key> <string>blockS_eparatedS_extant-4.glif</string> <key>blockSeparatedSextant-4.stypo</key> <string>blockS_eparatedS_extant-4.stypo.glif</string> <key>blockSeparatedSextant-14</key> <string>blockS_eparatedS_extant-14.glif</string> <key>blockSeparatedSextant-14.stypo</key> <string>blockS_eparatedS_extant-14.stypo.glif</string> <key>blockSeparatedSextant-24</key> <string>blockS_eparatedS_extant-24.glif</string> <key>blockSeparatedSextant-24.stypo</key> <string>blockS_eparatedS_extant-24.stypo.glif</string> <key>blockSeparatedSextant-124</key> <string>blockS_eparatedS_extant-124.glif</string> <key>blockSeparatedSextant-124.stypo</key> <string>blockS_eparatedS_extant-124.stypo.glif</string> <key>blockSeparatedSextant-34</key> <string>blockS_eparatedS_extant-34.glif</string> <key>blockSeparatedSextant-34.stypo</key> <string>blockS_eparatedS_extant-34.stypo.glif</string> <key>blockSeparatedSextant-134</key> <string>blockS_eparatedS_extant-134.glif</string> <key>blockSeparatedSextant-134.stypo</key> <string>blockS_eparatedS_extant-134.stypo.glif</string> <key>blockSeparatedSextant-234</key> <string>blockS_eparatedS_extant-234.glif</string> <key>blockSeparatedSextant-234.stypo</key> <string>blockS_eparatedS_extant-234.stypo.glif</string> <key>blockSeparatedSextant-1234</key> <string>blockS_eparatedS_extant-1234.glif</string> <key>blockSeparatedSextant-1234.stypo</key> <string>blockS_eparatedS_extant-1234.stypo.glif</string> <key>blockSeparatedSextant-5</key> <string>blockS_eparatedS_extant-5.glif</string> <key>blockSeparatedSextant-5.stypo</key> <string>blockS_eparatedS_extant-5.stypo.glif</string> <key>blockSeparatedSextant-15</key> <string>blockS_eparatedS_extant-15.glif</string> <key>blockSeparatedSextant-15.stypo</key> <string>blockS_eparatedS_extant-15.stypo.glif</string> <key>blockSeparatedSextant-25</key> <string>blockS_eparatedS_extant-25.glif</string> <key>blockSeparatedSextant-25.stypo</key> <string>blockS_eparatedS_extant-25.stypo.glif</string> <key>blockSeparatedSextant-125</key> <string>blockS_eparatedS_extant-125.glif</string> <key>blockSeparatedSextant-125.stypo</key> <string>blockS_eparatedS_extant-125.stypo.glif</string> <key>blockSeparatedSextant-35</key> <string>blockS_eparatedS_extant-35.glif</string> <key>blockSeparatedSextant-35.stypo</key> <string>blockS_eparatedS_extant-35.stypo.glif</string> <key>blockSeparatedSextant-135</key> <string>blockS_eparatedS_extant-135.glif</string> <key>blockSeparatedSextant-135.stypo</key> <string>blockS_eparatedS_extant-135.stypo.glif</string> <key>blockSeparatedSextant-235</key> <string>blockS_eparatedS_extant-235.glif</string> <key>blockSeparatedSextant-235.stypo</key> <string>blockS_eparatedS_extant-235.stypo.glif</string> <key>blockSeparatedSextant-1235</key> <string>blockS_eparatedS_extant-1235.glif</string> <key>blockSeparatedSextant-1235.stypo</key> <string>blockS_eparatedS_extant-1235.stypo.glif</string> <key>blockSeparatedSextant-45</key> <string>blockS_eparatedS_extant-45.glif</string> <key>blockSeparatedSextant-45.stypo</key> <string>blockS_eparatedS_extant-45.stypo.glif</string> <key>blockSeparatedSextant-145</key> <string>blockS_eparatedS_extant-145.glif</string> <key>blockSeparatedSextant-145.stypo</key> <string>blockS_eparatedS_extant-145.stypo.glif</string> <key>blockSeparatedSextant-245</key> <string>blockS_eparatedS_extant-245.glif</string> <key>blockSeparatedSextant-245.stypo</key> <string>blockS_eparatedS_extant-245.stypo.glif</string> <key>blockSeparatedSextant-1245</key> <string>blockS_eparatedS_extant-1245.glif</string> <key>blockSeparatedSextant-1245.stypo</key> <string>blockS_eparatedS_extant-1245.stypo.glif</string> <key>blockSeparatedSextant-345</key> <string>blockS_eparatedS_extant-345.glif</string> <key>blockSeparatedSextant-345.stypo</key> <string>blockS_eparatedS_extant-345.stypo.glif</string> <key>blockSeparatedSextant-1345</key> <string>blockS_eparatedS_extant-1345.glif</string> <key>blockSeparatedSextant-1345.stypo</key> <string>blockS_eparatedS_extant-1345.stypo.glif</string> <key>blockSeparatedSextant-2345</key> <string>blockS_eparatedS_extant-2345.glif</string> <key>blockSeparatedSextant-2345.stypo</key> <string>blockS_eparatedS_extant-2345.stypo.glif</string> <key>blockSeparatedSextant-12345</key> <string>blockS_eparatedS_extant-12345.glif</string> <key>blockSeparatedSextant-12345.stypo</key> <string>blockS_eparatedS_extant-12345.stypo.glif</string> <key>blockSeparatedSextant-6</key> <string>blockS_eparatedS_extant-6.glif</string> <key>blockSeparatedSextant-6.stypo</key> <string>blockS_eparatedS_extant-6.stypo.glif</string> <key>blockSeparatedSextant-16</key> <string>blockS_eparatedS_extant-16.glif</string> <key>blockSeparatedSextant-16.stypo</key> <string>blockS_eparatedS_extant-16.stypo.glif</string> <key>blockSeparatedSextant-26</key> <string>blockS_eparatedS_extant-26.glif</string> <key>blockSeparatedSextant-26.stypo</key> <string>blockS_eparatedS_extant-26.stypo.glif</string> <key>blockSeparatedSextant-126</key> <string>blockS_eparatedS_extant-126.glif</string> <key>blockSeparatedSextant-126.stypo</key> <string>blockS_eparatedS_extant-126.stypo.glif</string> <key>blockSeparatedSextant-36</key> <string>blockS_eparatedS_extant-36.glif</string> <key>blockSeparatedSextant-36.stypo</key> <string>blockS_eparatedS_extant-36.stypo.glif</string> <key>blockSeparatedSextant-136</key> <string>blockS_eparatedS_extant-136.glif</string> <key>blockSeparatedSextant-136.stypo</key> <string>blockS_eparatedS_extant-136.stypo.glif</string> <key>blockSeparatedSextant-236</key> <string>blockS_eparatedS_extant-236.glif</string> <key>blockSeparatedSextant-236.stypo</key> <string>blockS_eparatedS_extant-236.stypo.glif</string> <key>blockSeparatedSextant-1236</key> <string>blockS_eparatedS_extant-1236.glif</string> <key>blockSeparatedSextant-1236.stypo</key> <string>blockS_eparatedS_extant-1236.stypo.glif</string> <key>blockSeparatedSextant-46</key> <string>blockS_eparatedS_extant-46.glif</string> <key>blockSeparatedSextant-46.stypo</key> <string>blockS_eparatedS_extant-46.stypo.glif</string> <key>blockSeparatedSextant-146</key> <string>blockS_eparatedS_extant-146.glif</string> <key>blockSeparatedSextant-146.stypo</key> <string>blockS_eparatedS_extant-146.stypo.glif</string> <key>blockSeparatedSextant-246</key> <string>blockS_eparatedS_extant-246.glif</string> <key>blockSeparatedSextant-246.stypo</key> <string>blockS_eparatedS_extant-246.stypo.glif</string> <key>blockSeparatedSextant-1246</key> <string>blockS_eparatedS_extant-1246.glif</string> <key>blockSeparatedSextant-1246.stypo</key> <string>blockS_eparatedS_extant-1246.stypo.glif</string> <key>blockSeparatedSextant-346</key> <string>blockS_eparatedS_extant-346.glif</string> <key>blockSeparatedSextant-346.stypo</key> <string>blockS_eparatedS_extant-346.stypo.glif</string> <key>blockSeparatedSextant-1346</key> <string>blockS_eparatedS_extant-1346.glif</string> <key>blockSeparatedSextant-1346.stypo</key> <string>blockS_eparatedS_extant-1346.stypo.glif</string> <key>blockSeparatedSextant-2346</key> <string>blockS_eparatedS_extant-2346.glif</string> <key>blockSeparatedSextant-2346.stypo</key> <string>blockS_eparatedS_extant-2346.stypo.glif</string> <key>blockSeparatedSextant-12346</key> <string>blockS_eparatedS_extant-12346.glif</string> <key>blockSeparatedSextant-12346.stypo</key> <string>blockS_eparatedS_extant-12346.stypo.glif</string> <key>blockSeparatedSextant-56</key> <string>blockS_eparatedS_extant-56.glif</string> <key>blockSeparatedSextant-56.stypo</key> <string>blockS_eparatedS_extant-56.stypo.glif</string> <key>blockSeparatedSextant-156</key> <string>blockS_eparatedS_extant-156.glif</string> <key>blockSeparatedSextant-156.stypo</key> <string>blockS_eparatedS_extant-156.stypo.glif</string> <key>blockSeparatedSextant-256</key> <string>blockS_eparatedS_extant-256.glif</string> <key>blockSeparatedSextant-256.stypo</key> <string>blockS_eparatedS_extant-256.stypo.glif</string> <key>blockSeparatedSextant-1256</key> <string>blockS_eparatedS_extant-1256.glif</string> <key>blockSeparatedSextant-1256.stypo</key> <string>blockS_eparatedS_extant-1256.stypo.glif</string> <key>blockSeparatedSextant-356</key> <string>blockS_eparatedS_extant-356.glif</string> <key>blockSeparatedSextant-356.stypo</key> <string>blockS_eparatedS_extant-356.stypo.glif</string> <key>blockSeparatedSextant-1356</key> <string>blockS_eparatedS_extant-1356.glif</string> <key>blockSeparatedSextant-1356.stypo</key> <string>blockS_eparatedS_extant-1356.stypo.glif</string> <key>blockSeparatedSextant-2356</key> <string>blockS_eparatedS_extant-2356.glif</string> <key>blockSeparatedSextant-2356.stypo</key> <string>blockS_eparatedS_extant-2356.stypo.glif</string> <key>blockSeparatedSextant-12356</key> <string>blockS_eparatedS_extant-12356.glif</string> <key>blockSeparatedSextant-12356.stypo</key> <string>blockS_eparatedS_extant-12356.stypo.glif</string> <key>blockSeparatedSextant-456</key> <string>blockS_eparatedS_extant-456.glif</string> <key>blockSeparatedSextant-456.stypo</key> <string>blockS_eparatedS_extant-456.stypo.glif</string> <key>blockSeparatedSextant-1456</key> <string>blockS_eparatedS_extant-1456.glif</string> <key>blockSeparatedSextant-1456.stypo</key> <string>blockS_eparatedS_extant-1456.stypo.glif</string> <key>blockSeparatedSextant-2456</key> <string>blockS_eparatedS_extant-2456.glif</string> <key>blockSeparatedSextant-2456.stypo</key> <string>blockS_eparatedS_extant-2456.stypo.glif</string> <key>blockSeparatedSextant-12456</key> <string>blockS_eparatedS_extant-12456.glif</string> <key>blockSeparatedSextant-12456.stypo</key> <string>blockS_eparatedS_extant-12456.stypo.glif</string> <key>blockSeparatedSextant-3456</key> <string>blockS_eparatedS_extant-3456.glif</string> <key>blockSeparatedSextant-3456.stypo</key> <string>blockS_eparatedS_extant-3456.stypo.glif</string> <key>blockSeparatedSextant-13456</key> <string>blockS_eparatedS_extant-13456.glif</string> <key>blockSeparatedSextant-13456.stypo</key> <string>blockS_eparatedS_extant-13456.stypo.glif</string> <key>blockSeparatedSextant-23456</key> <string>blockS_eparatedS_extant-23456.glif</string> <key>blockSeparatedSextant-23456.stypo</key> <string>blockS_eparatedS_extant-23456.stypo.glif</string> <key>blockSeparatedSextant-123456</key> <string>blockS_eparatedS_extant-123456.glif</string> <key>blockSeparatedSextant-123456.stypo</key> <string>blockS_eparatedS_extant-123456.stypo.glif</string> <key>segmentedDigit0</key> <string>segmentedD_igit0.glif</string> <key>segmentedDigit1</key> <string>segmentedD_igit1.glif</string> <key>segmentedDigit2</key> <string>segmentedD_igit2.glif</string> <key>segmentedDigit3</key> <string>segmentedD_igit3.glif</string> <key>segmentedDigit4</key> <string>segmentedD_igit4.glif</string> <key>segmentedDigit5</key> <string>segmentedD_igit5.glif</string> <key>segmentedDigit6</key> <string>segmentedD_igit6.glif</string> <key>segmentedDigit7</key> <string>segmentedD_igit7.glif</string> <key>segmentedDigit8</key> <string>segmentedD_igit8.glif</string> <key>segmentedDigit9</key> <string>segmentedD_igit9.glif</string> <key>largeType-1CE1A</key> <string>largeT_ype-1CE1A.glif</string> <key>largeType-1CE1A.stypo</key> <string>largeT_ype-1CE1A.stypo.glif</string> <key>largeType-1CE1B</key> <string>largeT_ype-1CE1B.glif</string> <key>largeType-1CE1B.stypo</key> <string>largeT_ype-1CE1B.stypo.glif</string> <key>largeType-1CE1C</key> <string>largeT_ype-1CE1C.glif</string> <key>largeType-1CE1C.stypo</key> <string>largeT_ype-1CE1C.stypo.glif</string> <key>largeType-1CE1D</key> <string>largeT_ype-1CE1D.glif</string> <key>largeType-1CE1D.stypo</key> <string>largeT_ype-1CE1D.stypo.glif</string> <key>largeType-1CE1E</key> <string>largeT_ype-1CE1E.glif</string> <key>largeType-1CE1E.stypo</key> <string>largeT_ype-1CE1E.stypo.glif</string> <key>largeType-1CE1F</key> <string>largeT_ype-1CE1F.glif</string> <key>largeType-1CE1F.stypo</key> <string>largeT_ype-1CE1F.stypo.glif</string> <key>largeType-1CE20</key> <string>largeT_ype-1CE20.glif</string> <key>largeType-1CE20.stypo</key> <string>largeT_ype-1CE20.stypo.glif</string> <key>largeType-1CE21</key> <string>largeT_ype-1CE21.glif</string> <key>largeType-1CE21.stypo</key> <string>largeT_ype-1CE21.stypo.glif</string> <key>largeType-1CE22</key> <string>largeT_ype-1CE22.glif</string> <key>largeType-1CE22.stypo</key> <string>largeT_ype-1CE22.stypo.glif</string> <key>largeType-1CE23</key> <string>largeT_ype-1CE23.glif</string> <key>largeType-1CE23.stypo</key> <string>largeT_ype-1CE23.stypo.glif</string> <key>largeType-1CE24</key> <string>largeT_ype-1CE24.glif</string> <key>largeType-1CE24.stypo</key> <string>largeT_ype-1CE24.stypo.glif</string> <key>largeType-1CE25</key> <string>largeT_ype-1CE25.glif</string> <key>largeType-1CE25.stypo</key> <string>largeT_ype-1CE25.stypo.glif</string> <key>largeType-1CE26</key> <string>largeT_ype-1CE26.glif</string> <key>largeType-1CE26.stypo</key> <string>largeT_ype-1CE26.stypo.glif</string> <key>largeType-1CE27</key> <string>largeT_ype-1CE27.glif</string> <key>largeType-1CE27.stypo</key> <string>largeT_ype-1CE27.stypo.glif</string> <key>largeType-1CE28</key> <string>largeT_ype-1CE28.glif</string> <key>largeType-1CE28.stypo</key> <string>largeT_ype-1CE28.stypo.glif</string> <key>largeType-1CE29</key> <string>largeT_ype-1CE29.glif</string> <key>largeType-1CE29.stypo</key> <string>largeT_ype-1CE29.stypo.glif</string> <key>largeType-1CE2A</key> <string>largeT_ype-1CE2A.glif</string> <key>largeType-1CE2A.stypo</key> <string>largeT_ype-1CE2A.stypo.glif</string> <key>largeType-1CE2B</key> <string>largeT_ype-1CE2B.glif</string> <key>largeType-1CE2B.stypo</key> <string>largeT_ype-1CE2B.stypo.glif</string> <key>largeType-1CE2C</key> <string>largeT_ype-1CE2C.glif</string> <key>largeType-1CE2C.stypo</key> <string>largeT_ype-1CE2C.stypo.glif</string> <key>largeType-1CE2D</key> <string>largeT_ype-1CE2D.glif</string> <key>largeType-1CE2D.stypo</key> <string>largeT_ype-1CE2D.stypo.glif</string> <key>largeType-1CE2E</key> <string>largeT_ype-1CE2E.glif</string> <key>largeType-1CE2E.stypo</key> <string>largeT_ype-1CE2E.stypo.glif</string> <key>largeType-1CE2F</key> <string>largeT_ype-1CE2F.glif</string> <key>largeType-1CE2F.stypo</key> <string>largeT_ype-1CE2F.stypo.glif</string> <key>largeType-1CE30</key> <string>largeT_ype-1CE30.glif</string> <key>largeType-1CE30.stypo</key> <string>largeT_ype-1CE30.stypo.glif</string> <key>largeType-1CE31</key> <string>largeT_ype-1CE31.glif</string> <key>largeType-1CE31.stypo</key> <string>largeT_ype-1CE31.stypo.glif</string> <key>largeType-1CE32</key> <string>largeT_ype-1CE32.glif</string> <key>largeType-1CE32.stypo</key> <string>largeT_ype-1CE32.stypo.glif</string> <key>largeType-1CE33</key> <string>largeT_ype-1CE33.glif</string> <key>largeType-1CE33.stypo</key> <string>largeT_ype-1CE33.stypo.glif</string> <key>largeType-1CE34</key> <string>largeT_ype-1CE34.glif</string> <key>largeType-1CE34.stypo</key> <string>largeT_ype-1CE34.stypo.glif</string> <key>largeType-1CE35</key> <string>largeT_ype-1CE35.glif</string> <key>largeType-1CE35.stypo</key> <string>largeT_ype-1CE35.stypo.glif</string> <key>largeType-1CE36</key> <string>largeT_ype-1CE36.glif</string> <key>largeType-1CE36.stypo</key> <string>largeT_ype-1CE36.stypo.glif</string> <key>largeType-1CE37</key> <string>largeT_ype-1CE37.glif</string> <key>largeType-1CE37.stypo</key> <string>largeT_ype-1CE37.stypo.glif</string> <key>largeType-1CE38</key> <string>largeT_ype-1CE38.glif</string> <key>largeType-1CE38.stypo</key> <string>largeT_ype-1CE38.stypo.glif</string> <key>largeType-1CE39</key> <string>largeT_ype-1CE39.glif</string> <key>largeType-1CE39.stypo</key> <string>largeT_ype-1CE39.stypo.glif</string> <key>largeType-1CE3A</key> <string>largeT_ype-1CE3A.glif</string> <key>largeType-1CE3A.stypo</key> <string>largeT_ype-1CE3A.stypo.glif</string> <key>largeType-1CE3B</key> <string>largeT_ype-1CE3B.glif</string> <key>largeType-1CE3B.stypo</key> <string>largeT_ype-1CE3B.stypo.glif</string> <key>largeType-1CE3C</key> <string>largeT_ype-1CE3C.glif</string> <key>largeType-1CE3C.stypo</key> <string>largeT_ype-1CE3C.stypo.glif</string> <key>largeType-1CE3D</key> <string>largeT_ype-1CE3D.glif</string> <key>largeType-1CE3D.stypo</key> <string>largeT_ype-1CE3D.stypo.glif</string> <key>largeType-1CE3E</key> <string>largeT_ype-1CE3E.glif</string> <key>largeType-1CE3E.stypo</key> <string>largeT_ype-1CE3E.stypo.glif</string> <key>largeType-1CE3F</key> <string>largeT_ype-1CE3F.glif</string> <key>largeType-1CE3F.stypo</key> <string>largeT_ype-1CE3F.stypo.glif</string> <key>largeType-1CE40</key> <string>largeT_ype-1CE40.glif</string> <key>largeType-1CE40.stypo</key> <string>largeT_ype-1CE40.stypo.glif</string> <key>largeType-1CE41</key> <string>largeT_ype-1CE41.glif</string> <key>largeType-1CE41.stypo</key> <string>largeT_ype-1CE41.stypo.glif</string> <key>largeType-1CE42</key> <string>largeT_ype-1CE42.glif</string> <key>largeType-1CE42.stypo</key> <string>largeT_ype-1CE42.stypo.glif</string> <key>largeType-1CE43</key> <string>largeT_ype-1CE43.glif</string> <key>largeType-1CE43.stypo</key> <string>largeT_ype-1CE43.stypo.glif</string> <key>largeType-1CE44</key> <string>largeT_ype-1CE44.glif</string> <key>largeType-1CE44.stypo</key> <string>largeT_ype-1CE44.stypo.glif</string> <key>largeType-1CE45</key> <string>largeT_ype-1CE45.glif</string> <key>largeType-1CE45.stypo</key> <string>largeT_ype-1CE45.stypo.glif</string> <key>largeType-1CE46</key> <string>largeT_ype-1CE46.glif</string> <key>largeType-1CE46.stypo</key> <string>largeT_ype-1CE46.stypo.glif</string> <key>largeType-1CE47</key> <string>largeT_ype-1CE47.glif</string> <key>largeType-1CE47.stypo</key> <string>largeT_ype-1CE47.stypo.glif</string> <key>largeType-1CE48</key> <string>largeT_ype-1CE48.glif</string> <key>largeType-1CE48.stypo</key> <string>largeT_ype-1CE48.stypo.glif</string> <key>largeType-1CE49</key> <string>largeT_ype-1CE49.glif</string> <key>largeType-1CE49.stypo</key> <string>largeT_ype-1CE49.stypo.glif</string> <key>largeType-1CE4A</key> <string>largeT_ype-1CE4A.glif</string> <key>largeType-1CE4A.stypo</key> <string>largeT_ype-1CE4A.stypo.glif</string> <key>largeType-1CE4B</key> <string>largeT_ype-1CE4B.glif</string> <key>largeType-1CE4B.stypo</key> <string>largeT_ype-1CE4B.stypo.glif</string> <key>largeType-1CE4C</key> <string>largeT_ype-1CE4C.glif</string> <key>largeType-1CE4C.stypo</key> <string>largeT_ype-1CE4C.stypo.glif</string> <key>largeType-1CE4D</key> <string>largeT_ype-1CE4D.glif</string> <key>largeType-1CE4D.stypo</key> <string>largeT_ype-1CE4D.stypo.glif</string> <key>largeType-1CE4E</key> <string>largeT_ype-1CE4E.glif</string> <key>largeType-1CE4E.stypo</key> <string>largeT_ype-1CE4E.stypo.glif</string> <key>largeType-1CE4F</key> <string>largeT_ype-1CE4F.glif</string> <key>largeType-1CE4F.stypo</key> <string>largeT_ype-1CE4F.stypo.glif</string> <key>largeType-1CE50</key> <string>largeT_ype-1CE50.glif</string> <key>largeType-1CE50.stypo</key> <string>largeT_ype-1CE50.stypo.glif</string> </dict> </plist>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/contents.plist/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/contents.plist", "repo_id": "cascadia-code", "token_count": 169123 }
502
<?xml version='1.0' encoding='UTF-8'?> <glyph name="dadDotbelow-ar.init" format="2"> <advance width="1200"/> <outline> <component base="dad-ar.init"/> <component base="dotbelow-ar" xOffset="50" yOffset="-24"/> </outline> <lib> <dict> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/dadD_otbelow-ar.init.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/dadD_otbelow-ar.init.glif", "repo_id": "cascadia-code", "token_count": 164 }
503
<?xml version='1.0' encoding='UTF-8'?> <glyph name="dalRing-ar" format="2"> <advance width="1200"/> <unicode hex="0689"/> <outline> <component base="dal-ar"/> <component base="ringArabic" xOffset="-27" yOffset="-65"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>dal-ar</string> </dict> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>1</integer> <key>name</key> <string>ringArabic</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/dalR_ing-ar.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/dalR_ing-ar.glif", "repo_id": "cascadia-code", "token_count": 469 }
504
<?xml version='1.0' encoding='UTF-8'?> <glyph name="dataLinkEscapeControl" format="2"> <advance width="1200"/> <unicode hex="2410"/> <outline> <component base="D.half" xOffset="-10" yOffset="781"/> <component base="L.half" xOffset="370"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>D.half</string> </dict> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>1</integer> <key>name</key> <string>L.half</string> </dict> </array> <key>com.schriftgestaltung.Glyphs.glyph.widthMetricsKey</key> <string>space</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/dataL_inkE_scapeC_ontrol.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/dataL_inkE_scapeC_ontrol.glif", "repo_id": "cascadia-code", "token_count": 478 }
505
<?xml version='1.0' encoding='UTF-8'?> <glyph name="e-ar.init" format="2"> <advance width="1200"/> <outline> <component base="beeh-ar.init"/> </outline> <lib> <dict> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/e-ar.init.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/e-ar.init.glif", "repo_id": "cascadia-code", "token_count": 138 }
506
<?xml version='1.0' encoding='UTF-8'?> <glyph name="exclam_colon.liga" format="2"> <advance width="1200"/> <outline> <component base="exclam" xOffset="240"/> <component base="colon" xOffset="1100"/> </outline> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/exclam_colon.liga.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/exclam_colon.liga.glif", "repo_id": "cascadia-code", "token_count": 94 }
507
<?xml version='1.0' encoding='UTF-8'?> <glyph name="feh-ar" format="2"> <advance width="1200"/> <unicode hex="0641"/> <outline> <component base="fehDotless-ar"/> <component base="dotabove-ar" xOffset="249" yOffset="460"/> </outline> <lib> <dict> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/feh-ar.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/feh-ar.glif", "repo_id": "cascadia-code", "token_count": 171 }
508
<?xml version='1.0' encoding='UTF-8'?> <glyph name="fehThreedotsbelow-ar" format="2"> <advance width="1200"/> <unicode hex="06A5"/> <outline> <component base="fehDotless-ar"/> <component base="threedotsdownbelow-ar" xOffset="292" yOffset="-18"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>anchor</key> <string>bottom.dot</string> <key>index</key> <integer>1</integer> <key>name</key> <string>threedotsdownbelow-ar</string> </dict> </array> <key>public.markColor</key> <string>0.98,0.36,0.67,1</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/fehT_hreedotsbelow-ar.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/fehT_hreedotsbelow-ar.glif", "repo_id": "cascadia-code", "token_count": 358 }
509
<?xml version='1.0' encoding='UTF-8'?> <glyph name="fileSeparatorControl" format="2"> <advance width="1200"/> <unicode hex="241C"/> <outline> <component base="F.half" xOffset="-10" yOffset="781"/> <component base="S.half" xOffset="370"/> </outline> <lib> <dict> <key>com.schriftgestaltung.Glyphs.ComponentInfo</key> <array> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>0</integer> <key>name</key> <string>F.half</string> </dict> <dict> <key>alignment</key> <integer>-1</integer> <key>index</key> <integer>1</integer> <key>name</key> <string>S.half</string> </dict> </array> <key>com.schriftgestaltung.Glyphs.glyph.widthMetricsKey</key> <string>space</string> </dict> </lib> </glyph>
cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/fileS_eparatorC_ontrol.glif/0
{ "file_path": "cascadia-code/sources/CascadiaCode-Bold.ufo/glyphs/fileS_eparatorC_ontrol.glif", "repo_id": "cascadia-code", "token_count": 478 }
510